题目
给定一个非空数组,返回此数组中第三大的数。如果不存在,则返回数组中最大的数。要求算法时间复杂度必须是O(n)。
示例 1:
输入: [3, 2, 1]
输出: 1
解释: 第三大的数是 1.
示例 2:
输入: [1, 2]
输出: 2
解释: 第三大的数不存在, 所以返回最大的数 2 .
示例 3:
输入: [2, 2, 3, 1]
输出: 1
解释: 注意,要求返回第三大的数,是指第三大且唯一出现的数。
存在两个值为2的数,它们都排第二。
代码模板:
class Solution {
public int thirdMax(int[] nums) {
}
}
分析
用maxOne,maxTwo,maxThree来存最大,第二大,第三大的数。循环数组,如果i是null,并且比最大的大就放在最大的,其余往后放,else if里面去判断第二大,第三大与i之间的关系。最后返回第三大的,若果没有的话,返回最大的。
解答
class Solution {
public int thirdMax(int[] nums) {
Integer maxOne = null;
Integer maxTwo = null;
Integer maxThree = null;
for(Integer i:nums){
if(i.equals(maxOne) || i.equals(maxTwo) || i.equals(maxThree)){
continue;
}
if(maxOne == null || i > maxOne){
maxThree = maxTwo;
maxTwo = maxOne;
maxOne = i;
}else if(maxTwo == null || i > maxTwo){
maxThree = maxTwo;
maxTwo = i;
}else if(maxThree == null || i > maxThree){
maxThree = i;
}
}
return maxThree != null ? maxThree: maxOne;
}
}