Method # 1: Using List Comprehension + List Slicing
This is a shorthand that can be used to accomplish this task. In this, we simply recreate the required string using slicing and extend the logic for each element of the string in the list using a list comprehension.
# Python3 code to demonstrate how it works # Remove Kth character from string list # use list comprehension + list slicing # initialize the list test_list = [ ’ akash’ , ’nikhil’ , ’ manjeet ’ , ’ akshat’ ] cod e> # print original list print ( "The original list:" + str (test_list)) # initialize K K = 3 # Remove Kth character from string list # using list comprehension + list slicing res = [ele [: K] + ele [K + 1 :] for ele in test_list] # print result print ( "List after removal of Kth character of each string:" + str (res)) |
Output:
The original list: [’akash’,’ nikhil’, ’manjeet’,’ akshat’] List after removal of Kth character of each string: [’akah’,’ nikil’, ’maneet’,’ aksat’]
Method # 2: Using map ()
+ slicing
This method is similar to the one described above, the only difference is that the expansion of the logical part for each element of the list is done using map ().
# Python3 code to demonstrate how it works # Remove Kth character from a list of strings # using a list comprehension + slicing a list # initialize the list test_list = [ ’akash’ , ’nikhil’ , ’ manjeet’ , ’akshat’ ] # print original list print ( "The original list:" + str (test_list)) # initialize K K = 3 # Remove Kth character from the list lines # using list comprehension + list slicing res = list ( map ( lambda ele: ele [: K] + ele [K + 1 :], test_list)) # result ne chat print ( "List after removal of Kth character of each string: " + str (res)) |
Output:
The original list : [’akash’,’ nikhil’, ’manjeet’,’ akshat’] List after removal of Kth character of each string: [’akah’,’ nikil’, ’maneet’,’ aksat’]
Python | Remove Kth character from string list Python functions: Questions
Python | Remove Kth character from string list String Variables: Questions