Given an array nums of size n, return the majority element.
The majority element is the element that appears more than ⌊n / 2⌋ times. You may assume that the majority element always exists in the array.
Example 1:
1 2 Input: nums = [3,2,3] Output: 3 
Example 2:
1 2 Input: nums = [2,2,1,1,1,2,2] Output: 2 
在一開始觀察題目,會直覺想說要找出陣列中出現最多次的元素,此外也注意到題目說明有提及運用 n/2 與陣列長度比較出現次數。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 var  majorityElement = function  (nums ) {  let  newObj = {}   for  (let  num of  nums) {          (!newObj[num]) ? newObj[num] = 1  : newObj[num]++   }      let  nNum = nums.length  / 2       for  (let  key in  newObj) {     if  (newObj[key] > nNum) return  key   } }; 
另外也發現可以使用,Boyer–Moore majority vote algorithm(摩爾投票算法)來解題。majorityElement2([4, 5, 5, 4, 4]) 為範例:
在迴圈的最後元素 4 ,為目前 count 為 1
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 var  majorityElement2 = function  (nums ) {  let  result;   let  count = 0 ;   for  (let  elem of  nums) {     if  (count === 0 ) {       result = elem;     }     if  (result === elem) {       count++;     } else  {       count--;     }   }   return  result; }; 
Majority Element II 
 
Given an integer array of size n, find all elements that appear more than ⌊ n/3 ⌋ times.
Example 1:
1 2 Input: nums = [3,2,3] Output: [3] 
Example 2:
1 2 Input: nums = [1] Output: [1] 
Example 3:
1 2 Input: nums = [1,2] Output: [1,2] 
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 var  majorityElement = function  (nums ) {     let  candidate1 = null ;   let  candidate2 = null ;   let  count1 = 0 ;   let  count2 = 0 ;   for  (let  num of  nums) {     if  (candidate1 === num) {       count1++     } else  if  (candidate2 === num) {       count2++     } else  if  (count1 === 0 ) {       candidate1 = num;       count1++     } else  if  (count2 === 0 ) {       candidate2 = num;       count2++     } else  {       count1--;       count2--;     }   }   console .log ('data:' , candidate1, candidate2)   count1 = 0 ;   count2 = 0 ;   const  res = [];   limit = Math .floor (nums.length  / 3 )   for  (let  num of  nums) {     if  (candidate1 === num) count1++;     else  if  (candidate2 === num) {       count2++;     }   }   if  (count1 > limit) res.push (candidate1)   if  (count2 > limit) res.push (candidate2)   console .log (res, count1, count2)   return  res }; majorityElement ([1 , 2 ])