描述:Given an array of size n, find the majority element. The majority element is the element that appears more than ⌊ n/2 ⌋ times. You may assume that the array is non-empty and the majority element always exist in the array.app
思路1:Moore voting algorithm--每找出兩個不一樣的element,就成對刪除即count--,最終剩下的必定就是所求的。時間複雜度:O(n)spa
1 class Solution { 2 public: 3 int majorityElement(vector<int> &num) { 4 5 int elem = 0; 6 int count = 0; 7 8 for(int i = 0; i < num.size(); i++) { 9 10 if(count == 0) { 11 elem = num[i]; 12 count = 1; 13 } 14 else { 15 if(elem == num[i]) 16 count++; 17 else 18 count--; 19 } 20 21 } 22 return elem; 23 }
};
思路2:隨機挑選一個元素,檢查是不是多數元素。時間複雜度:Average:O(n)。指望查找次數 <2code
1 class Solution { 2 public: 3 int majorityElement(vector<int> &num) { 4 5 int count = 0; 6 7 for(;;) { 8 if(num.size() == 1) 9 return num[0]; 10 else { 11 int i = rand() % (num.size() - 1); 12 for(int j = 0; j < num.size(); j++) { 13 if(num[j] == num[i]) 14 count++; 15 } 16 if(count > (num.size() / 2)) 17 return num[i]; 18 else { 19 count = 0; 20 continue; 21 } 22 } 23 } 24 }
};
附LeetCode建議解決方案:blog