Reputation: 1919
I have a list
a = [49, 51, 53, 56]
How do I subtract 13 from each integer value in the list?
Upvotes: 115
Views: 379889
Reputation: 24802
If are you working with numbers a lot, you might want to take a look at NumPy. It lets you perform all kinds of operation directly on numerical arrays. For example:
>>> import numpy
>>> array = numpy.array([49, 51, 53, 56])
>>> array - 13
array([36, 38, 40, 43])
Upvotes: 82
Reputation: 91
To clarify an already posted solution due to questions in the comments
import numpy
array = numpy.array([49, 51, 53, 56])
array = array - 13
will output:
array([36, 38, 40, 43])
Upvotes: 9
Reputation: 798566
With a list comprehension:
a = [x - 13 for x in a]
Upvotes: 202