-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path414.第三大的数.js
68 lines (66 loc) · 1.25 KB
/
414.第三大的数.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
/*
* @lc app=leetcode.cn id=414 lang=javascript
*
* [414] 第三大的数
*
* https://leetcode.cn/problems/third-maximum-number/description/
*
* algorithms
* Easy (39.43%)
* Likes: 361
* Dislikes: 0
* Total Accepted: 110.2K
* Total Submissions: 279.3K
* Testcase Example: '[3,2,1]'
*
* 给你一个非空数组,返回此数组中 第三大的数 。如果不存在,则返回数组中最大的数。
*
*
*
* 示例 1:
*
*
* 输入:[3, 2, 1]
* 输出:1
* 解释:第三大的数是 1 。
*
* 示例 2:
*
*
* 输入:[1, 2]
* 输出:2
* 解释:第三大的数不存在, 所以返回最大的数 2 。
*
*
* 示例 3:
*
*
* 输入:[2, 2, 3, 1]
* 输出:1
* 解释:注意,要求返回第三大的数,是指在所有不同数字中排第三大的数。
* 此例中存在两个值为 2 的数,它们都排第二。在所有不同数字中排第三大的数为 1 。
*
*
*
* 提示:
*
*
* 1
* -2^31
*
*
*
*
* 进阶:你能设计一个时间复杂度 O(n) 的解决方案吗?
*
*/
// @lc code=start
/**
* @param {number[]} nums
* @return {number}
*/
var thirdMax = function (nums) {
const _nums = [...new Set(nums)].sort((a, b) => b - a);
return _nums[2] ?? _nums[0];
};
// @lc code=end