web-dev-qa-db-fra.com

Modification des valeurs d'une liste de couples nommés

J'ai une liste de couples nommés nommés Books et j'essaie d'augmenter le champ price de 20%, ce qui change la valeur de Books. J'ai essayé de faire:

from collections import namedtuple
Book = namedtuple('Book', 'author title genre year price instock')
BSI = [
       Book('Suzane Collins','The Hunger Games', 'Fiction', 2008, 6.96, 20),
       Book('J.K. Rowling', "Harry Potter and the Sorcerer's Stone", 'Fantasy', 1997, 4.78, 12)]
for item in BSI:
    item = item.price*1.10
print(item.price)

Mais je continue de recevoir:

 Traceback (most recent call last):
 print(item.price)
 AttributeError: 'float' object has no attribute 'price'

Je comprends que je ne peux pas définir les champs dans un tuple nommé. Comment procéder pour mettre à jour price?

J'ai essayé d'en faire une fonction:

def restaurant_change_price(rest, newprice):
    rest.price = rest._replace(price = rest.price + newprice)
    return rest.price

print(restaurant_change_price(Restaurant("Taillevent", "French", "343-3434", "Escargots", 24.50), 25))

mais je reçois une erreur avec remplacer en disant:

 rest.price = rest._replace(price = rest.price + newprice)
 AttributeError: can't set attribute

Quelqu'un peut-il me faire savoir pourquoi cela se produit?

26
Leon Surrao

Les tuples nommés sont immuables , vous ne pouvez donc pas les manipuler.

Bonne façon de le faire:

Si vous voulez quelque chose mutable , vous pouvez utiliser recordtype .

from recordtype import recordtype

Book = recordtype('Book', 'author title genre year price instock')
books = [
   Book('Suzane Collins','The Hunger Games', 'Fiction', 2008, 6.96, 20),
   Book('J.K. Rowling', "Harry Potter and the Sorcerer's Stone", 'Fantasy', 1997, 4.78, 12)]

for book in books:
    book.price *= 1.1
    print(book.price)

PS: Vous devrez peut-être pip install recordtype Si vous ne l'avez pas installé.

Mauvaise façon de le faire:

Vous pouvez également continuer à utiliser namedtuple en utilisant la méthode _replace() .

from collections import namedtuple

Book = namedtuple('Book', 'author title genre year price instock')
books = [
   Book('Suzane Collins','The Hunger Games', 'Fiction', 2008, 6.96, 20),
   Book('J.K. Rowling', "Harry Potter and the Sorcerer's Stone", 'Fantasy', 1997, 4.78, 12)]

for i in range(len(books)):
    books[i] = books[i]._replace(price = books[i].price*1.1)
    print(books[i].price)
38
Sait

Dans Python> = 3.7, vous pouvez utiliser dataclass décorateur avec la nouvelle fonctionnalité d'annotations variables pour produire des types d'enregistrement mutables:

from dataclasses import dataclass


@dataclass
class Book:
    author: str
    title: str
    genre: str
    year: int
    price: float
    instock: int


BSI = [
    Book("Suzane Collins", "The Hunger Games", "Fiction", 2008, 6.96, 20),
    Book(
        "J.K. Rowling",
        "Harry Potter and the Sorcerer's Stone",
        "Fantasy",
        1997,
        4.78,
        12,
    ),
]

for item in BSI:
    item.price *= 1.10
    print(f"New price for '{item.title}' book is {item.price:,.2f}")

Sortie:

New price for 'The Hunger Games' book is 7.66
New price for 'Harry Potter and the Sorcerer's Stone' book is 5.26
6
Vlad Bezden

Cela ressemble à une tâche pour la bibliothèque d'analyse de données de Python, pandas . C'est vraiment, vraiment facile de faire ce genre de chose:

In [6]: import pandas as pd
In [7]: df = pd.DataFrame(BSI, columns=Book._fields)
In [8]: df
Out[8]: 
           author                                  title    genre  year  \
0  Suzane Collins                       The Hunger Games  Fiction  2008   
1    J.K. Rowling  Harry Potter and the Sorcerers Stone  Fantasy  1997   

   price  instock  
0   6.96       20  
1   4.78       12  

In [9]: df['price'] *= 100
In [10]: df
Out[10]: 
           author                                  title    genre  year  \
0  Suzane Collins                       The Hunger Games  Fiction  2008   
1    J.K. Rowling  Harry Potter and the Sorcerer's Stone  Fantasy  1997   

   price  instock  
0    696       20  
1    478       12  

N'est-ce pas juste beaucoup, beaucoup mieux que de travailler avec namedtuples?

4
LondonRob