Question:
Given a non-empty array of integers, return the third maximum number in this array. If it does not exist, return the maximum number. The time complexity must be in O(n).
Example:
Input: [3, 2, 1]Output: 1Explanation: The third maximum is 1.
Input: [1, 2]Output: 2Explanation: The third maximum does not exist, so the maximum (2) is returned instead.Input: [2, 2, 3, 1]Output: 1Explanation: Note that the third maximum here means the third maximum distinct number.Both numbers with value 2 are both considered as second maximum.
Solution:
/*** @param {number[]} nums* @return {number}*/var thirdMax = function(nums) {// 使用辅助空间let first = nums[0],second = Number.MIN_SAFE_INTEGER,third = Number.MIN_SAFE_INTEGER;for ( let i = 1; i < nums.length; i++ ) {// 如果比第一个数大if ( nums[i] > first ) {third = second;second = first;first = nums[i]} else if ( nums[i] > second && nums[i] < first ) {third = second;second = nums[i];} else if ( nums[i] > third && nums[i] < second ) {third = nums[i];} else {continue;}}return third === Number.MIN_SAFE_INTEGER ? first : third};
Runtime: 72 ms, faster than 48.48% of JavaScript online submissions for Third Maximum Number.
