Python String rfind() method returns the rightmost index of the substring if found in the given string. If not found then it returns -1.
Python String rfind() Method Syntax
Syntax: str.rfind(sub, start, end)
Parameters:
- sub: It’s the substring that needs to be searched in the given string.
- start: Starting position where the sub needs to be checked within the string.
- end: Ending position where suffix needs to be checked within the string.
Note: If start and end indexes are not provided then, by default it takes 0 and length-1 as starting and ending indexes where ending indexes are not included in our search.
Return: Returns the right-most index of the substring if it is found in the given string; if not found, then it returns -1.
Python String rfind() Method Example
Python3
string = "GeeksForGeeks" print (string.rfind( "Geeks" )) |
Output:
8
Example 1: Basic usages of Python String find() Method
Python3
word = 'Lazyroar for Lazyroar' # Returns highest index of the substring result = word.rfind( 'Lazyroar' ) print ( "Substring 'Lazyroar' found at index :" , result ) result = word.rfind( 'for' ) print ( "Substring 'for' found at index :" , result ) word = 'CatBatSatMatGate' # Returns highest index of the substring result = word.rfind( 'ate' ) print ( "Substring 'ate' found at index :" , result) |
Output:
Substring 'Lazyroar' found at index : 10 Substring 'for' found at index : 6 Substring 'ate' found at index : 13
Example 2: Using Python String rfind() Method with given start and end position inside String
If we pass the start and end parameters to the Python String rfind() Method, it will search for the substring in the portion of the String from its right side.
Python3
# Python program to demonstrate working of rfind() # in a sub-string word = 'Lazyroar for Lazyroar' # Substring is searched in 'eeks for Lazyroar' print (word.rfind( 'ge' , 2 )) # Substring is searched in 'eeks for Lazyroar' print (word.rfind( 'Lazyroar' , 2 )) # Substring is searched in 'eeks for Lazyroar' print (word.rfind( 'Lazyroar ' , 2 )) # Substring is searched in 's for g' print (word.rfind( 'for ' , 4 , 11 )) # finding substring using -ve indexing print (word.rfind( 'Lazyroar' , - 5 )) |
Output:
10 10 -1 6 10
Example 3: Practical Application
Here, we check one email address and the Top Level Domain (TLD) matching our necessary condition. Then we print, “Email matched” else “Email not matched”, followed by the TLD String. Even if this email address contains a “.com” substring, rfind() helped to extract the TLD string more efficiently.
Python3
email = 'userxyz.com@domain.xyz' last_dot_pos = email.rfind( '.' , 1 ) tld_string = email[last_dot_pos:] if tld_string = = ".com" : print ( "Email matched" ) else : print ( "Email not matched, tld:" , tld_string) |
Output:
Email not matched, tld: .xyz