To find duplicate elements in an array, you can use a frequency map or set to track the elements that have already been encountered.
- Create a set to store elements you've seen.
- Iterate through the array and check if an element is already in the set.
- If it is, add it to the result array.
- If not, add it to the set.
- Return the result array with duplicates.
function findDuplicates(arr) {
let seen = new Set(), duplicates = [];
for (let num of arr) {
if (seen.has(num)) {
duplicates.push(num);
} else {
seen.add(num);
}
}
return duplicates;
}
// Example usage
console.log(findDuplicates([1, 2, 3, 1, 4, 5, 3])); // Output: [1, 3]
console.log(findDuplicates([10, 20, 30, 40])); // Output: []
This method has a time complexity of O(n), where n is the length of the array.
Tags: intermediate, JavaScript, Arrays, Algorithm