Method # 1: Using the comprehension list + isdigit()
This is one way to accomplish this task. In this we check for each element of the string if it is a number using isdigit and then convert to int if it is one. Iteration uses list comprehension.
# Python3 code to demonstrate how it works # Convert string numbers to integers in a mixed list # using comprehension list + isdigit () # initialize the list test_list = [ "gfg" , "1" , "is" , "6" , "best" ] # print of the original list print ( "The original list: " + str (test_list)) # Convert string numbers to integers in a mixed list # use comprehension list + isdigit () res = [ int (ele) if ele.isdigit () else ele for ele in test_list] # res print ultat print ( "List after converting string numbers to integers: " + str (res)) |
Output:
The original list: [’gfg’,’ 1’, ’is’,’ 6’, ’best’] List after converting string numbers to integers: [’ gfg’, 1, ’is’, 6,’ best’]
Method # 2: Using map () + lambda + isdigit ()
This task can also be accomplished using the above functions. In this we are doing the iteration task using map () and a lambda function.
# Python3 code to demonstrate how it works # Convert string numbers to integers in a mixed list # using map () + lambda + isdigit () # initialize list test_list = [ "gfg" , "1" , "is" , "6" , " best " ] print ( "The original list:" + str (test_list)) # Convert string numbers to integers in a mixed list # using map () + lambda + isdigit () res = list ( map ( lambda ele: int (ele) if ele.isdigit () else ele, test_list)) # print result print ( "List after converting string numbers to integers: " + str (res)) |
Output:
The original list: [’gfg ’,’ 1’, ’is’,’ 6’, ’best’] List after converting string numbers to integers: [’ gfg’, 1, ’is’, 6,’ best’]
Python | Convert numeric string to integers in mixed list Python functions: Questions
Python | Convert numeric string to integers in mixed list String Variables: Questions