一共有三种正确的大写用法:
1)全小写(apple)
2)全大写(APPLE)
3)首字母大写(Apple)
配合使用toLowerCase()、toUpperCase()、equals(),非常简单
class Solution {
public boolean detectCapitalUse(String word) {
// 全小写
if (word.toLowerCase().equals(word)) {
return true;
}
// 全大写
if (word.toUpperCase().equals(word)) {
return true;
}
// 首字母大写
if (Character.isUpperCase(word.charAt(0))) {
String suffix = word.substring(1);
if (suffix.toLowerCase().equals(suffix)) {
return true;
}
}
return false;
}
}
应该能意识到这是一道动态规划,那么dp[i][j]的含义就是"在[i,j]区间内猜测能确保胜利的最少花费金额";
接着意识到这是经典的for区间动态规划,注意填表顺序;
最后写出状态转移方程:"dp[i][j] = Math.min(dp[i][j], Math.max(dp[i][k - 1], dp[k + 1][j]) + k)";
状态转移方法有一定的难度,关键是对于max()和min()的理解:
max()是为了确保游戏胜利
min()和for是为了获得确保胜利前提下的最少花费金额
class Solution {
public int getMoneyAmount(int n) {
// dp[i][j]的含义是,在[i,j]区间内猜测能确保胜利的最少花费金额
int[][] dp = new int[n + 1][n + 1];
for (int j = 1; j <= n; j++) {
for (int i = j; i >= 1; i--) {
if (i == j) {
// 必定猜对
dp[i][j] = 0;
} else {
// max是为了确保游戏胜利
// min和for是为了获得确保胜利前提下的最少花费金额
dp[i][j] = Integer.MAX_VALUE;
for (int k = i; k < j; k++) {
dp[i][j] = Math.min(dp[i][j], Math.max(dp[i][k - 1], dp[k + 1][j]) + k);
}
}
}
}
return dp[1][n];
}
}
老生常谈的闰年定义
class Solution {
public int dayOfYear(String date) {
int[] arr = {31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31};
int year = Integer.parseInt(date.substring(0, 4));
int month = Integer.parseInt(date.substring(5, 7));
int day = Integer.parseInt(date.substring(8, 10));
// 闰年特判
if ((year % 4 == 0 && year % 100 != 0) || (year % 400 == 0)) {
arr[1]++;
}
// 前缀和
int res = 0;
for (int i = 0; i < month - 1; i++) {
res += arr[i];
}
return res + day;
}
}
检索标记:1154. 一年中的第几天给你一个字符串 date ,按 YYYY-MM-DD 格式表示一个 现行公元纪年法 日期。请你计算并返回该日期是当年的第几天。通常情况下,我们认为 1 月 1 日是每年的第 1 天,1 月 2 日是每年的第 2 天,依此类推。每个月的天数与现行公元纪年法(格里高利历)一致。375. 猜数字大小 II我们正在玩一个猜数游戏,游戏规则如下:我从 1 到 n 之间选择一个数字。你来猜我选了哪个数字。如果你猜到正确的数字,就会 赢得游戏 。如果你猜错了,那么我会告诉你,我选的数字比你的 更大或者更小 ,并且你需要继续猜数。每当你猜了数字 x 并且猜错了的时候,你需要支付金额为 x 的现金。如果你花光了钱,就会 输掉游戏 。给你一个特定的数字 n ,返回能够 确保你获胜 的最小现金数,不管我选择那个数字 。520. 检测大写字母我们定义,在以下情况时,单词的大写用法是正确的全部字母都是大写,比如 “USA” 。单词中所有字母都不是大写,比如 “leetcode” 。如果单词不只含有一个字母,只有首字母大写, 比如 “Google” 。给你一个字符串 word 。如果大写用法正确,返回 true ;否则,返回 false 。