To check if one string is a rotation of another, concatenate the first string with itself and check if the second string is a substring of the result.
- Concatenate the first string with itself.
- Check if the second string is a substring of the concatenated string.
- If it is, return
true
; otherwise, returnfalse
.
function isRotated(str1, str2) {
if (str1.length !== str2.length) return false;
return (str1 + str1).includes(str2);
}
// Example usage
console.log(isRotated('abcde', 'cdeab')); // Output: true
console.log(isRotated('abcde', 'abced')); // Output: false
This method has a time complexity of O(n), where n is the length of the strings.
Tags: intermediate, JavaScript, Strings, Algorithm