I would like to know how to concatenate a string to the end of all elements in a list.
For example:
List1 = [ 1 , 2 , 3 ]
string = "a"
output = ['1a' , '2a' , '3a']
I would like to know how to concatenate a string to the end of all elements in a list.
For example:
List1 = [ 1 , 2 , 3 ]
string = "a"
output = ['1a' , '2a' , '3a']
rebuild the list in a list comprehension and use str.format
on both parameters
>>> string="a"
>>> List1 = [ 1 , 2 , 3 ]
>>> output = ["{}{}".format(i,string) for i in List1]
>>> output
['1a', '2a', '3a']
In one line:
>>> lst = [1 , 2 , 3]
>>> my_string = 'a'
>>> [str(x) + my_string for x in lst]
['1a', '2a', '3a']
You need to convert the integer into strings and create a new strings for each element. A list comprehension works well for this.
L = [ 1, 2, 3 ]
s = "a"
print map(lambda x: str(x)+s, L);
output ['1a', '2a', '3a']
You can use map
:
List1 = [ 1 , 2 , 3 ]
string = "a"
new_list = list(map(lambda x:"{}{}".format(x, string), List1))
Output:
['1a', '2a', '3a']
List1 = [ 1 , 2 , 3 ]
str1="a"
new_list = []
for item in List1:
new_list.append(str(item)+str1)
print(new_list)
Convert each element in the list to string and then add the required string to each element of the list.
>>> List1 = [ 1 , 2 , 3 ]
>>> string = "a"
>>> output = [s + string for s in map(str, List1)]
>>> output
['1a', '2a', '3a']
© 2022 - 2024 — McMap. All rights reserved.
output = ["".join([string,str(i)]) for i in List1]
– Frizzlestring
andstr(i)
positions in the list. – Frizzle