Encapsulation¶
$$ \text{data abstraction} = \langle\text{objects}, \text{operations}\rangle $$
class Account:
"""
Instance Attributes:
balance: the money left in this account
holder: the holder of this account
Class Attributes:
interest: the interest rate of all accounts
"""
# class attribute
interest = 0.02
# constructor
def __init__(self, account_holder):
"""
Creates an account with balance `0` and held by `account_holder`.
"""
self.balance = 0 # instance attribute
self.holder = account_holder
# methods
def deposit(self, amount):
"""
Deposits `amount` money into this account and returns the balance.
"""
self.balance += amount
return self.balance
def withdraw(self, amount):
"""
Withdraws `amount` money from this account if `balance` is greater
than or equal to `amount` and returns the updated `balance`, otherwise
returns 'Insufficient funds'.
"""
if amount > self.balance:
return 'Insufficient funds'
self.balance -= amount
return self.balance
jacy = Account('Jacy') # object construction
Evaluation of Dot Expression¶
<expression>.<name>
Evaluatethe
<expression>
to the left of the dot, which returns the object of the dot expression.<name>
is matched against the instance attributes of that object; if an attribute with that name exists, its value is returned.If not,
<name>
is looked up in the class, which yields a class attribute value (if no such class attribute exists, an AttributeError is reported).That value is returned unless it is a function, in which case a bound method is returned instead.
jacy.holder
'Jacy'
jacy.balance
0
jacy.deposit(10)
10
jacy.withdraw(5)
5
Specification¶
Developers often use existing code by specification:
class Account:
"""
Instance Attributes:
balance: the money left in this account
holder: the holder of this account
Class Attributes:
interest: the interest rate of all accounts
"""
def __init__(self, account_holder):
"""
Creates an account with balance `0` and held by `account_holder`.
"""
pass
def deposit(self, amount):
"""
Deposits `amount` money into this account and returns the balance.
"""
pass
def withdraw(self, amount):
"""
Withdraws `amount` money from this account if `balance` is greater
than or equal to `amount` and returns the updated `balance`, otherwise
returns 'Insufficient funds'.
"""
pass
Account
jjppp = Account('JJPPP')
jacy.deposit(10)
jacy.withdraw(5)
Account.interest
0.02
OOP and Narural Language¶
Jacy eats an apple. =>
jact.eat(apple)
JJPPP is smart. =>
jjppp.is_smart() == True
Yinfeng dates. =>
yinfeng.dates()
Inheritance¶
class CheckingAccount(Account): # class NewClass(BaseClass1, BaseClass2, ...):
withdraw_fee = 1
interest = 0.01
def withdraw(self, amount): # method overriding
return Account.withdraw(self, amount + self.withdraw_fee)
class SavingsAccount(Account):
deposit_fee = 2
def deposit(self, amount): # method overriding
return Account.deposit(self, amount - self.deposit_fee)
class CleverAccount(CheckingAccount, SavingsAccount):
def __init__ (self, account_holder): # method overriding
self.holder = account_holder
self.balance = 1
Class Attributes Lookup¶
Base class attributes aren't copied into subclasses!
To look up a name in a class:
If it names an attribute in the class, return the attribute value.
Otherwise, look up the name in the base class, if there is one.
class A:
z = -1
def f(self, x):
return B(x - 1)
def __repr__(self):
return 'A()'
class B(A):
n = 4
def __init__ (self, y):
if y:
self.z = self.f(y)
else:
self.z = C(y + 1)
def __repr__(self):
return f'B(z={self.z})'
class C(B):
def f(self, x):
return x
def __repr__(self):
return f'C(z={self.z})'
a = A()
b = B(1)
b.n = 5
C(2).n
4
a.z == C.z
True
a.z == b.z
False
b
B(z=B(z=C(z=1)))
b.z
B(z=C(z=1))
b.z.z
C(z=1)
b.z.z.z
1
b.z.z.z.z
--------------------------------------------------------------------------- AttributeError Traceback (most recent call last) Cell In[16], line 1 ----> 1 b.z.z.z.z AttributeError: 'int' object has no attribute 'z'
Liskov Substitution Principle¶
An object may be replaced by a subclass-object without breaking the program since inheritance represents an
is-a
relation.
class Dog:
def __init__(self, name):
self.name = name
def make_noise(self):
return 'Bark!'
class TinyDog(Dog):
def make_noise(self):
return 'Yip yip yip yip!'
class LargeDog(Dog):
def make_noise(self):
return 'Arooooooooooooooo!'
def kick_dog(dog):
print('Me: Kick the dog!')
print(dog.name, end='')
print(f": {dog.make_noise()}")
yellow = Dog('BigYellow')
white = TinyDog('LittleWhite')
husky = LargeDog('Husky')
kick_dog(yellow)
Me: Kick the dog! BigYellow: Bark!
kick_dog(white)
Me: Kick the dog! LittleWhite: Yip yip yip yip!
kick_dog(husky)
Me: Kick the dog! Husky: Arooooooooooooooo!
class EvilDog(Dog):
def make_noise(self, bravery):
return 'How dare you!!!'
evil = EvilDog('How dare you!!!')
kick_dog(evil)
Me: Kick the dog! How dare you!!!
--------------------------------------------------------------------------- TypeError Traceback (most recent call last) Cell In[22], line 1 ----> 1 kick_dog(evil) Cell In[17], line 19, in kick_dog(dog) 17 print('Me: Kick the dog!') 18 print(dog.name, end='') ---> 19 print(f": {dog.make_noise()}") TypeError: EvilDog.make_noise() missing 1 required positional argument: 'bravery'
Ploymorphism¶
Ad Hoc Polymorphism
- e.g. Overloading
Parametric Polymorphism
- e.g. Generic
Inclusion Polymorphism
- e.g. Subtyping
Function Overloading¶
repr(x)
behaves differently (i.e. polymorphically) when applied to different types ofx
.- String representation for the python interpreter.
str(x)
behaves differently (i.e. polymorphically) when applied to different types ofx
.- String representation for the human interpreter.
class Link:
empty = ()
def __init__(self, first, rest=empty):
assert rest is Link.empty or isinstance(rest, Link)
self.first = first
self.rest = rest
def __repr__(self):
if self.rest is not Link.empty:
rest_repr = ', ' + repr(self.rest)
else:
rest_repr = ''
return 'Link(' + repr(self.first) + rest_repr + ')'
def __str__(self):
string = '<'
while self.rest is not Link.empty:
string += str(self.first) + ' '
self = self.rest
return string + str(self.first) + '>'
s = Link(1, Link(2, Link(3)))
t = Link(-1, Link(-2, Link(-3)))
s
Link(1, Link(2, Link(3)))
print(s)
<1 2 3>
t
Link(-1, Link(-2, Link(-3)))
print(t)
<-1 -2 -3>
print(eval('Link(1, Link(2, Link(3)))'))
<1 2 3>
print(eval('<-1 -2 -3>'))
Traceback (most recent call last): File /opt/homebrew/Caskroom/miniconda/base/lib/python3.12/site-packages/IPython/core/interactiveshell.py:3508 in run_code exec(code_obj, self.user_global_ns, self.user_ns) Cell In[29], line 1 print(eval('<-1 -2 -3>')) File <string>:1 <-1 -2 -3> ^ SyntaxError: invalid syntax
Operator Overloading¶
x + y
is essentiallyx.__add__(y)
.x == y
is essentiallyx.__eq__(y)
.
class Link:
empty = ()
def __init__(self, first, rest=empty):
assert rest is Link.empty or isinstance(rest, Link)
self.first = first
self.rest = rest
def __repr__(self):
if self.rest is not Link.empty:
rest_repr = ', ' + repr(self.rest)
else:
rest_repr = ''
return 'Link(' + repr(self.first) + rest_repr + ')'
def __str__(self):
string = '<'
while self.rest is not Link.empty:
string += str(self.first) + ' '
self = self.rest
return string + str(self.first) + '>'
def __add__(self, other):
if self is Link.empty or other is Link.empty:
return Link.empty
return Link(self.first + other.first, self.rest + other.rest)
def __eq__(self, other):
if self is Link.empty and other is Link.empty:
return True
if self is Link.empty or other is Link.empty:
return False
return self.first == other.first and self.rest == other.rest
s1 = Link(1, Link(2, Link(3)))
s2 = Link(1, Link(2, Link(3)))
t = Link(-1, Link(-2, Link(-3)))
s1 + s2
Link(2, Link(4, Link(6)))
s1 + t
Link(0, Link(0, Link(0)))
s1 is s2
False
s1 == s2
True
s1 is t
False
s1 == t
False
s1 is s1
True
s1 == s1
True
s1 + t == Link(0, Link(0, Link(0)))
True