刷题-力扣-414. 第三大的数
414. 第三大的数
题目链接
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/third-maximum-number
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
题目描述
给你一个非空数组,返回此数组中 第三大的数 。如果不存在,则返回数组中最大的数。
示例 1:
输入:[3, 2, 1]
输出:1
解释:第三大的数是 1 。
示例 2:
输入:[1, 2]
输出:2
解释:第三大的数不存在, 所以返回最大的数 2 。
示例 3:
输入:[2, 2, 3, 1]
输出:1
解释:注意,要求返回第三大的数,是指在所有不同数字中排第三大的数。
此例中存在两个值为 2 的数,它们都排第二。在所有不同数字中排第三大的数为 1 。
提示:
1 <= nums.length <= 104
-2^31 <= nums[i] <= 2^31 - 1
题目分析
- 根据题目描述计算数组中第三大的数字
- 使用三个变量first,second,third分别保存前三大的数字
- 一次遍历数组,同时更新first,second,third
- 针对数组中的取值范围是int,故选择first,second,third的类型是long int
代码
class Solution {
public:
int thirdMax(vector<int>& nums) {
long int first = LONG_MIN;
long int second = LONG_MIN;
long int third = LONG_MIN;
for (auto n : nums) {
if (n == first || n == second || n == third) { continue; }
if (n > first) {
third = second;
second = first;
first = n;
} else if (n > second) {
third = second;
second = n;
} else if(n > third) {
third = n;
}
}
return third == LONG_MIN ? first : third;
}
};