Thanks to visit codestin.com
Credit goes to github.com

Skip to content

Create 0229-majority-element-ii.java #3042

New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Merged
merged 1 commit into from
Oct 5, 2023
Merged
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
65 changes: 65 additions & 0 deletions java/0229-majority-element-ii.java
Original file line number Diff line number Diff line change
@@ -0,0 +1,65 @@
class Solution {
/**
* First solution utilizes a hashmap and then does the due diligience of adding the
* appropriate values that appear more than n/3 times
* Runtime O(n) : Space O(n)
*/
public List<Integer> majorityElement(int[] nums) {
List<Integer> res = new ArrayList<>();
Map<Integer, Integer> map = new HashMap<>();
for (int i = 0; i < nums.length; i++) {
if (map.containsKey(nums[i]))
map.put(nums[i], map.get(nums[i]) + 1);
else
map.put(nums[i], 1);
}

for (Map.Entry<Integer, Integer> entry: map.entrySet()) {
int potentialCandidate = entry.getValue();
if (potentialCandidate > nums.length / 3)
res.add(entry.getKey());
}

return res;
}


/**
* This is called Boyer-Moore Vote algorithm and the idea here is having candidates
* with diff values and two counters.
* For each number in the array we see if it equals the candidate and increment the count.
* The two numbers left after this process are the majority candidates.
* Loop through the array again then make sure that each candidate does indeed have more than n/3 occurrences
*
* Runtime O(n) : Space O(1)
*/
public List<Integer> majorityElement_2(int[] nums) {
int candidate1 = 0, candidate2 = 0, count1 = 0, count2 = 0;

for (int num : nums) {
if (num == candidate1) count1++;
else if (num == candidate2) count2++;
else if (count1 == 0) {
candidate1 = num;
count1++;
} else if (count2 == 0) {
candidate2 = num;
count2++;
} else {
count1--;
count2--;
}
}

count1 = count2 = 0;
for (int num : nums) {
if (num == candidate1) count1++;
else if (num == candidate2) count2++;
}

List<Integer> res = new ArrayList<>();
if (count1 > nums.length / 3) res.add(candidate1);
if (count2 > nums.length / 3) res.add(candidate2);
return res;
}
}