1、快速找出一个数组中的最大数、第二大数。
类似leetcode题:
1796.字符串中第二大的数字
给你一个混合字符串 s ,请你返回 s 中 第二大 的数字,如果不存在第二大的数字,请你返回 -1 。
混合字符串 由小写英文字母和数字组成。
示例 1:
输入:s = "dfa12321afd"
输出:2
解释:出现在 s 中的数字包括 [1, 2, 3] 。第二大的数字是 2 。
示例 2:
输入:s = "abc1111"
输出:-1
解释:出现在 s 中的数字只包含 [1] 。没有第二大的数字。
提示:
1 <= s.length <= 500
s 只包含小写英文字母和(或)数字。
代码:
public int secondHighest(String s) {
char[] chars = s.toCharArray();
int max = 47;
int second = 47;
for (int i = 0; i < chars.length; i++) {
if (48 <= chars[i] && chars[i] <= 57) {
if (chars[i] > max) {
second = max;
max = chars[i];
}
if (chars[i] < max && chars[i] > second) {
second = chars[i];
}
}
}
return second - 48;
}