Python Forum
class - calculate total price of copies - Printable Version

+- Python Forum (https://python-forum.io)
+-- Forum: Python Coding (https://python-forum.io/forum-7.html)
+--- Forum: General Coding Help (https://python-forum.io/forum-8.html)
+--- Thread: class - calculate total price of copies (/thread-35773.html)



class - calculate total price of copies - 3lnyn0 - Dec-12-2021

Hi! I can the below code, I want to calculate de total price of copies for a book

class Library():
    def __init__(self, name) -> None:
        self.book = {}
        self.name = name
        self.stock = ' '

    def lista_of_books(self):
        return self.book

    def append_book(self, title, author, copies, price):
         self.book.update(titlu=title, autor=author, exemplare=copies, pret1=price)

    def total_price_of_copies(self, title):
        for key,value in self.book.items():
            if self.book[key] == title:
                print('Pretul pentru toate exemplarele din', title, self.book['exemplare1'] * self.book['pret1'])
                break

class Book():
    def __init__(self, title, author, copies, price):
        self.titlu = title
        self.autor = author
        self.exemplare = copies
        self.pret = price

a = Library('Alexandria')
a.append_book('Howls moving castle', 'Diana Wynne Jones', 8, 33)
a.append_book('Graffiti Moon', 'Cath Crowley', 5, 28)
a.append_book('All the Bright Places', 'Jennifer Niven', 7, 15)

a.total_price_of_copies('Howls moving castle')



RE: class - calculate total price of copies - BashBedlam - Dec-12-2021

There are a couple of places where your code is not doing what you think it's doing. I recommend inserting print methods in your code to see for example what the dictionarybookactually contains when you think it has all three books. Anyway... try this and see if it is what you were looking for.
class Library():
	def __init__(self, name) -> None:
		self.books = {}

	def lista_of_books (self) :
		print ()
		for title, information in self.books.items () :
			print ('Titlu:', title)
			for label, info in information.items () :
				print (f'\t{label}: {info}')

	def append_book (self, title, author, copies, price) :
		self.books [title] = {'autor': author, 'exemplare': copies, 'pret1': price}

	def total_price_of_copies (self, title) -> int :
		number_of_copies = self.books [title]['exemplare']
		price_per_copy = self.books [title]['pret1']
		return price_per_copy * number_of_copies

a = Library('Alexandria')
a.append_book('Howls moving castle', 'Diana Wynne Jones', 8, 33)
a.append_book('Graffiti Moon', 'Cath Crowley', 5, 28)
a.append_book('All the Bright Places', 'Jennifer Niven', 7, 15)

a.lista_of_books ()
print (f'\nThe price for all copies of "Howls moving castle"', end = '')
print (f' is ${a.total_price_of_copies ("Howls moving castle")}')