题目
给你一个混合字符串 s
,请你返回 s
中 第二大 的数字,如果不存在第二大的数字,请你返回 -1
。
混合字符串 由小写英文字母和数字组成。
示例 1:
输入:s = "dfa12321afd"
输出:2
解释:出现在 s 中的数字包括 [1, 2, 3] 。第二大的数字是 2 。
示例 2:
输入:s = "abc1111"
输出:-1
解释:出现在 s 中的数字只包含 [1] 。没有第二大的数字。
提示:
1 <= s.length <= 500
s
只包含小写英文字母和(或)数字。
解题
方法一:遍历
思路
遍历字符串,维护最大数和第二大的数。
代码
class Solution {
public int secondHighest(String s) {
int max = -1, secMax = -1;
for (char ch : s.toCharArray()) {
if (ch < '0' || ch > '9') continue;
int curr = ch - '0';
if (curr > max) {
secMax = max;
max = curr;
} else if (curr < max && curr > secMax) {
secMax = curr;
}
}
return secMax;
}
}
评论区