Object-Oriented Programming in Python
Alex Yarosh
Content Quality Analyst @ DataCamp
self as the first argumentself.___
class MyClass:
# function definition in class
# first argument is self
def my_method1(self, other_args...):
# do things here
def my_method2(self, my_attr):
# attribute created by assignment
self.my_attr = my_attr
...
__init__() method is called every time an object is created.class Customer: def __init__(self, name): self.name = name # <--- Create the .name attribute and set it to name parameter print("The __init__ method was called")cust = Customer("Lara de Silva") #<--- __init__ is implicitly called print(cust.name)
The __init__ method was called
Lara de Silva
class Customer: def __init__(self, name, balance): # <-- balance parameter addedself.name = name self.balance = balance # <-- balance attribute added print("The __init__ method was called")cust = Customer("Lara de Silva", 1000) # <-- __init__ is called print(cust.name) print(cust.balance)
The __init__ method was called
Lara de Silva
1000
class Customer: def __init__(self, name, balance=0): #<--set default value for balanceself.name = name self.balance = balance print("The __init__ method was called")cust = Customer("Lara de Silva") # <-- don't specify balance explicitlyprint(cust.name) print(cust.balance) # <-- attribute is created anyway
The __init__ method was called
Lara de Silva
0
class MyClass:
def my_method1(self, attr1):
self.attr1 = attr1
...
def my_method2(self, attr2):
self.attr2 = attr2
...
obj = MyClass()
obj.my_method1(val1) # <-- attr1 created
obj.my_method2(val2) # <-- attr2 created
class MyClass: def __init__(self, attr1, attr2): self.attr1 = attr1 self.attr2 = attr2 ...# All attributes are created obj = MyClass(val1, val2)
__init__()__init__()CamelCase for classes, lower_snake_case for functions and attributes
__init__()CamelCase for class, lower_snake_case for functions and attributes
self as selfclass MyClass:
# This works but isn't recommended
def my_method(kitty, attr):
kitty.attr = attr
__init__()CamelCase for class, lower_snake_case for functions and attributes
self is selfclass MyClass:
"""This class does nothing"""
pass
Object-Oriented Programming in Python