comments | difficulty | edit_url | tags | ||
---|---|---|---|---|---|
true |
中等 |
|
当且仅当每个相邻位数上的数字 x
和 y
满足 x <= y
时,我们称这个整数是单调递增的。
给定一个整数 n
,返回 小于或等于 n
的最大数字,且数字呈 单调递增 。
示例 1:
输入: n = 10 输出: 9
示例 2:
输入: n = 1234 输出: 1234
示例 3:
输入: n = 332 输出: 299
提示:
0 <= n <= 109
从数字 n
的高位开始,找到第一个不满足
然后,从后往前,只要发现
最后将位置
时间复杂度
class Solution:
def monotoneIncreasingDigits(self, n: int) -> int:
s = list(str(n))
i = 1
while i < len(s) and s[i - 1] <= s[i]:
i += 1
if i < len(s):
while i and s[i - 1] > s[i]:
s[i - 1] = str(int(s[i - 1]) - 1)
i -= 1
i += 1
while i < len(s):
s[i] = '9'
i += 1
return int(''.join(s))
class Solution {
public int monotoneIncreasingDigits(int n) {
char[] s = String.valueOf(n).toCharArray();
int i = 1;
for (; i < s.length && s[i - 1] <= s[i]; ++i)
;
if (i < s.length) {
for (; i > 0 && s[i - 1] > s[i]; --i) {
--s[i - 1];
}
++i;
for (; i < s.length; ++i) {
s[i] = '9';
}
}
return Integer.parseInt(String.valueOf(s));
}
}
class Solution {
public:
int monotoneIncreasingDigits(int n) {
string s = to_string(n);
int i = 1;
for (; i < s.size() && s[i - 1] <= s[i]; ++i)
;
if (i < s.size()) {
for (; i > 0 && s[i - 1] > s[i]; --i) {
--s[i - 1];
}
++i;
for (; i < s.size(); ++i) {
s[i] = '9';
}
}
return stoi(s);
}
};
func monotoneIncreasingDigits(n int) int {
s := []byte(strconv.Itoa(n))
i := 1
for ; i < len(s) && s[i-1] <= s[i]; i++ {
}
if i < len(s) {
for ; i > 0 && s[i-1] > s[i]; i-- {
s[i-1]--
}
i++
for ; i < len(s); i++ {
s[i] = '9'
}
}
ans, _ := strconv.Atoi(string(s))
return ans
}