2496-数组中字符串的最大值

Raphael Liu Lv10

一个由字母和数字组成的字符串的 定义如下:

  • 如果字符串 包含数字,那么值为该字符串在 10 进制下的所表示的数字。
  • 否则,值为字符串的 **长度 **。

给你一个字符串数组 strs ,每个字符串都只由字母和数字组成,请你返回 strs 中字符串的 最大值

示例 1:

**输入:** strs = ["alic3","bob","3","4","00000"]
**输出:** 5
**解释:**
- "alic3" 包含字母和数字,所以值为长度 5 。
- "bob" 只包含字母,所以值为长度 3 。
- "3" 只包含数字,所以值为 3 。
- "4" 只包含数字,所以值为 4 。
- "00000" 只包含数字,所以值为 0 。
所以最大的值为 5 ,是字符串 "alic3" 的值。

示例 2:

**输入:** strs = ["1","01","001","0001"]
**输出:** 1
**解释:**
数组中所有字符串的值都是 1 ,所以我们返回 1 。

提示:

  • 1 <= strs.length <= 100
  • 1 <= strs[i].length <= 9
  • strs[i] 只包含小写英文字母和数字。

方法一:字符串遍历

遍历输入数组中的字符串,判断字符串每一个字符是否都是数字。如果字符串只包含数字,那么转换该字符串为十进制下的所表示的数字,否则值为字符串的长度。

最后返回字符串数组里的最大值。

[sol1-C++]
1
2
3
4
5
6
7
8
9
10
11
12
13
14
class Solution {
public:
int maximumValue(vector<string>& strs) {
int res = 0;
for (auto& s : strs) {
bool isDigits = true;
for (char& c : s) {
isDigits &= isdigit(c);
}
res = max(res, isDigits ? stoi(s) : (int)s.size());
}
return res;
}
};
[sol1-Java]
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
class Solution {
public int maximumValue(String[] strs) {
int res = 0;
for (String s : strs) {
boolean isDigits = true;
int n = s.length();
for (int i = 0; i < n; ++i) {
isDigits &= Character.isDigit(s.charAt(i));
}
res = Math.max(res, isDigits ? Integer.parseInt(s) : n);
}
return res;
}
}

[sol1-C#]
1
2
3
4
5
6
7
8
9
10
11
12
13
public class Solution {
public int MaximumValue(string[] strs) {
int res = 0;
foreach (string s in strs) {
bool isDigits = true;
foreach (char c in s) {
isDigits &= char.IsDigit(c);
}
res = Math.Max(res, isDigits? int.Parse(s) : s.Length);
}
return res;
}
}
[sol1-Python3]
1
2
3
4
5
6
7
class Solution:
def maximumValue(self, strs: List[str]) -> int:
res = 0
for s in strs:
is_digits = all(c.isdigit() for c in s)
res = max(res, int(s) if is_digits else len(s))
return res
[sol1-JavaScript]
1
2
3
4
5
6
7
8
9
10
11
var maximumValue = function(strs) {
let res = 0;
for (const s of strs) {
let isDigits = true;
for (const c of s) {
isDigits &= c >= '0' && c <= '9';
}
res = Math.max(res, isDigits ? Number(s) : s.length);
}
return res;
};
[sol1-Golang]
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
func max(a int, b int) int {
if a > b {
return a
}
return b
}

func maximumValue(strs []string) int {
res := 0
for _, s := range strs {
isDigits := true
for _, c := range s {
isDigits = isDigits && (c >= '0' && c <= '9')
}
if isDigits {
v, _ := strconv.Atoi(s)
res = max(res, v)
} else {
res = max(res, len(s))
}
}
return res
}
[sol1-C]
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
int maximumValue(char ** strs, int strsSize){
int res = 0;
for (int i = 0; i < strsSize; i++) {
bool isDigits = true;
for (int j = 0; j < strlen(strs[i]); j++) {
isDigits &= strs[i][j] >= '0' && strs[i][j] <= '9';
}
if (isDigits) {
res = fmax(res, atoi(strs[i]));
} else {
res = fmax(res, strlen(strs[i]));
}
}
return res;
}

复杂度分析

  • 时间复杂度:O(nm),其中 n 是数组 strs 的长度, 其中 m 是字符串的长度。

  • 空间复杂度:O(1),不需要额外的空间。

 Comments
On this page
2496-数组中字符串的最大值