跳转至

1689. 十-二进制数的最少数目

题目描述

如果一个十进制数字不含任何前导零,且每一位上的数字不是 0 就是 1 ,那么该数字就是一个 十-二进制数 。例如,1011100 都是 十-二进制数,而 1123001 不是。

给你一个表示十进制整数的字符串 n ,返回和为 n十-二进制数 的最少数目。

 

示例 1:

输入:n = "32"
输出:3
解释:10 + 11 + 11 = 32

示例 2:

输入:n = "82734"
输出:8

示例 3:

输入:n = "27346209830709182346"
输出:9

 

提示:

  • 1 <= n.length <= 105
  • n 仅由数字组成
  • n 不含任何前导零并总是表示正整数

解法

方法一:脑筋急转弯

题目等价于找字符串中的最大数。

时间复杂度 $O(n)$,其中 $n$ 为字符串长度。空间复杂度 $O(1)$。

1
2
3
class Solution:
    def minPartitions(self, n: str) -> int:
        return int(max(n))
1
2
3
4
5
6
7
8
9
class Solution {
    public int minPartitions(String n) {
        int ans = 0;
        for (int i = 0; i < n.length(); ++i) {
            ans = Math.max(ans, n.charAt(i) - '0');
        }
        return ans;
    }
}
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
class Solution {
public:
    int minPartitions(string n) {
        int ans = 0;
        for (char& c : n) {
            ans = max(ans, c - '0');
        }
        return ans;
    }
};
1
2
3
4
5
6
7
8
func minPartitions(n string) (ans int) {
    for _, c := range n {
        if t := int(c - '0'); ans < t {
            ans = t
        }
    }
    return
}
1
2
3
function minPartitions(n: string): number {
    return Math.max(...n.split('').map(d => parseInt(d)));
}
1
2
3
4
5
6
7
8
9
impl Solution {
    pub fn min_partitions(n: String) -> i32 {
        let mut ans = 0;
        for c in n.as_bytes() {
            ans = ans.max((c - b'0') as i32);
        }
        ans
    }
}
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
int minPartitions(char* n) {
    int ans = 0;
    for (int i = 0; n[i]; i++) {
        int v = n[i] - '0';
        if (v > ans) {
            ans = v;
        }
    }
    return ans;
}

评论