Solution Review: Handling a Bank Account
This review provides a detailed explanation of the 'Handling a Bank Account' challenge.
We'll cover the following...
Solution #
Press + to interact
class Account: # parent classdef __init__(self, title=None, balance=0):self.title = titleself.balance = balance# withdrawal method subtracts the amount from the balancedef withdrawal(self, amount):self.balance = self.balance - amount# deposit method adds the amount to the balancedef deposit(self, amount):self.balance = self.balance + amount# this method just returns the value of balancedef getBalance(self):return self.balanceclass SavingsAccount(Account):def __init__(self, title=None, balance=0, interestRate=0):super().__init__(title, balance)self.interestRate = interestRate# computes interest amount using the interest ratedef interestAmount(self):return (self.balance * self.interestRate / 100)obj1 = SavingsAccount("Steve", 5000, 10)print("Initial Balance:", obj1.getBalance())obj1.withdrawal(1000)print("Balance after withdrawal:", obj1.getBalance())obj1.deposit(500)print("Balance after deposit:", obj1.getBalance())print("Interest on current balance:", obj1.interestAmount())
Explanation
In each of the two classes, the initializers have already been defined for you. ...