Have done some searching through Stack Exchange answered questions but have been unable to find what I am looking for.
Given the following list:
JavaScript
x
2
1
a = [1, 2, 3, 4]
2
How would I create:
JavaScript
1
2
1
a = ['hello1', 'hello2', 'hello3', 'hello4']
2
Thanks!
Advertisement
Answer
Use a list comprehension:
JavaScript
1
2
1
[f'hello{i}' for i in a]
2
A list comprehension lets you apply an expression to each element in a sequence. Here that expression is a formatted string literal, incorporating i
into a string starting with hello
.
Demo:
JavaScript
1
4
1
>>> a = [1,2,3,4]
2
>>> [f'hello{i}' for i in a]
3
['hello1', 'hello2', 'hello3', 'hello4']
4