web-dev-qa-db-fra.com

Comment multiplier des éléments individuels d'une liste avec un nombre?

S = [22, 33, 45.6, 21.6, 51.8]
P = 2.45

Ici S est un tableau

Comment vais-je multiplier cela et obtenir la valeur?

SP = [53.9, 80.85, 111.72, 52.92, 126.91]
43
bharath

Vous pouvez utiliser la fonction map intégrée:

result = map(lambda x: x * P, S)

ou liste compréhensions c'est un peu plus pythonique:

result = [x * P for x in S]
37
KL-7

En NumPy c'est assez simple

import numpy as np
P=2.45
S=[22, 33, 45.6, 21.6, 51.8]
SP = P*np.array(S)

Je vous recommande de consulter le didacticiel NumPy pour une explication de toutes les fonctionnalités des baies de disques NumPy:

https://scipy.github.io/old-wiki/pages/Tentative_NumPy_Tutorial

67
JoshAdel

Si tu utilises numpy.multiply

S = [22, 33, 45.6, 21.6, 51.8]
P = 2.45
multiply(S, P)

Ça vous donne comme résultat

array([53.9 , 80.85, 111.72, 52.92, 126.91])
19
DKK

Voici une approche fonctionnelle utilisant map , itertools.repeat et operator.mul :

import operator
from itertools import repeat


def scalar_multiplication(vector, scalar):
    yield from map(operator.mul, vector, repeat(scalar))

Exemple d'utilisation:

>>> v = [1, 2, 3, 4]
>>> c = 3
>>> list(scalar_multiplication(v, c))
[3, 6, 9, 12]
0
Georgy