Given a string, we need to find the minimum number of rotations required to get the same string.
Examples:
Input : s = "geeks"
Output : 5
Input : s = "aaaa"
Output : 1
Method 1: The idea is based on below post.
A Program to check if strings are rotations of each other or not
Step 1 : Initialize result = 0 (Here result is count of rotations)
Step 2 : Take a temporary string equals to original string concatenated with itself.
Step 3 : Now take the substring of temporary string of size same as original string starting from second character (or index 1).
Step 4 : Increase the count.
Step 5 : Check whether the substring becomes equal to original string. If yes, then break the loop. Else go to step 2 and repeat it from the next index.
Python3
def findRotations( str ):
tmp = str + str
n = len ( str )
for i in range ( 1 , n + 1 ):
substring = tmp[i: i + n]
if ( str = = substring):
return i
return n
if __name__ = = '__main__' :
str = "abc"
print (findRotations( str ))
|
Time Complexity: O(n2)
Auxiliary Space: O(n). We are using a temporary string of size n for the concatenated string.
Alternate Implementation in Python :
Python3
string = 'aaaa'
check = ''
for r in range ( 1 , len (string) + 1 ):
check = string[r:] + string[:r]
if check = = string:
print (r)
break
|
Time Complexity: O(N), where N is the length of the string.
Auxiliary Space: O(N)
Please refer complete article on Minimum rotations required to get the same string for more details!