To find the first repeated character in a string, use a set to track characters that have been seen.
- Initialize an empty set to store characters.
- Iterate through the string, checking if each character has already been seen in the set.
- If a character is found in the set, return it as the first repeated character.
- If no repeated character is found, return
null
.
function findFirstRepeatedCharacter(str) {
const seen = new Set();
for (let char of str) {
if (seen.has(char)) return char;
seen.add(char);
}
return null;
}
// Example usage
console.log(findFirstRepeatedCharacter('abcdeab')); // Output: 'a'
console.log(findFirstRepeatedCharacter('abcdef')); // Output: null
This method has a time complexity of O(n), where n is the length of the string.
Tags: intermediate, JavaScript, Strings, Algorithm