Skip to content

Latest commit

 

History

History
124 lines (89 loc) · 2.55 KB

File metadata and controls

124 lines (89 loc) · 2.55 KB

English Version

题目描述

如果一个十进制数字不含任何前导零,且每一位上的数字不是 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 不含任何前导零并总是表示正整数

解法

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

Python3

class Solution:
    def minPartitions(self, n: str) -> int:
        return int(max(n))

Java

class Solution {
    public int minPartitions(String n) {
        int res = 0;
        for (char c : n.toCharArray()) {
            res = Math.max(res, c - '0');
        }
        return res;
    }
}

TypeScript

function minPartitions(n: string): number {
    let nums = n.split('').map(d => parseInt(d));
    let ans = Math.max(...nums);
    return ans;
}

C++

class Solution {
public:
    int minPartitions(string n) {
        int res = 0;
        for (auto& c : n) {
            res = max(res, c - '0');
        }
        return res;
    }
};

Go

func minPartitions(n string) int {
	res := 0
	for _, c := range n {
		t := int(c - '0')
		if t > res {
			res = t
		}
	}
	return res
}

...