Python | Reverse Slicing of given string
Sometimes, while working with strings we might have a problem in which we need to perform the reverse slicing of string, i.e slicing the string for certain characters from the rear end. Let’s discuss certain ways in which this can be done.
Method #1 : Using join() + reversed() The combination of above function can be used to perform this particular task. In this, we reverse the string in memory and join the sliced no. of characters so as to return the string sliced from rear end.
Python3
# Python3 code to demonstrate working of # Reverse Slicing string # Using join() + reversed() # initializing string test_str = "GeeksforGeeks" # printing original string print ("The original string is : " + test_str) # initializing K K = 7 # Using join() + reversed() # Reverse Slicing string res = ''.join( reversed (test_str[ 0 :K])) # printing result print ("The reversed sliced string is : " + res) |
The original string is : GeeksforGeeks The reversed sliced string is : ofskeeG
Method #2 : Using string slicing The string slicing can be used to perform this particular task, by using “-1” as the third argument in slicing we can make function perform the slicing from rear end hence proving to be a simple solution.
Python3
# Python3 code to demonstrate working of # Reverse Slicing string # Using string slicing # initializing string test_str = "GeeksforGeeks" # printing original string print ("The original string is : " + test_str) # initializing K K = 7 # Using string slicing # Reverse Slicing string res = test_str[(K - 1 ):: - 1 ] # printing result print ("The reversed sliced string is : " + res) |
The original string is : GeeksforGeeks The reversed sliced string is : ofskeeG
Method#3: Using another way of slicing In this way of slicing we first reverse the string and then we split the string with the help of string slicing and we can first slicing the string then reverse the string.
Python3
# Python3 code to demonstrate working of # Reverse Slicing string # Using string slicing # initializing string test_str = "GeeksforGeeks" # printing original string print ( "The original string is : " + test_str) # initializing K K = 7 # Using string slicing # Reverse Slicing string ans = test_str[:: - 1 ][K - 1 :] ans2 = test_str[:K][:: - 1 ] # printing result print ( "The sliced reversed string is : " + ans) print ( "Reversed sliced the string is : " + ans2) |
Output:
The original string is : GeeksforGeeks The sliced reversed string is : ofskeeG Reversed sliced the string is : ofskeeG