I have a list:
my_list = [1, 2, 3, 4, 5]
How can I multiply each element in my_list
by 5? The output should be:
[5, 10, 15, 20, 25]
Multiply Two Python Lists by a Number Using a For Loop Python for loops allow us to iterate over over iterable objects, such as lists. We can use for loops to loop over each item in a list and then multiply by it by a given number.
multiply() in Python. numpy. multiply() function is used when we want to compute the multiplication of two array.
Lists and strings have a lot in common. They are both sequences and, like pythons, they get longer as you feed them. Like a string, we can concatenate and multiply a Python list.
You can just use a list comprehension:
my_list = [1, 2, 3, 4, 5] my_new_list = [i * 5 for i in my_list] >>> print(my_new_list) [5, 10, 15, 20, 25]
Note that a list comprehension is generally a more efficient way to do a for
loop:
my_new_list = [] for i in my_list: my_new_list.append(i * 5) >>> print(my_new_list) [5, 10, 15, 20, 25]
As an alternative, here is a solution using the popular Pandas package:
import pandas as pd s = pd.Series(my_list) >>> s * 5 0 5 1 10 2 15 3 20 4 25 dtype: int64
Or, if you just want the list:
>>> (s * 5).tolist() [5, 10, 15, 20, 25]
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With