KEMBAR78
Advance Python | PDF | Object Oriented Programming | Class (Computer Programming)
0% found this document useful (0 votes)
27 views165 pages

Advance Python

learn python in a hard way

Uploaded by

zakaria Hujale
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
27 views165 pages

Advance Python

learn python in a hard way

Uploaded by

zakaria Hujale
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 165

Chapter 7 Object Oriented

Programming – Advanced
Python

Python is an Object-Oriented Programming language. This term is used by


many other languages and it’s fundamental. It’s so important to understand
the concept of having Objects because in Python everything can be
considered as an Object. OOP languages are organized around Objects and
these Objects can be created and modified during runtime. We will learn
where these Objects come from in the next sections but each object is
known as an instance of a class. The Classes in OOP are the templates that
allow us to create objects. In this chapter, we will learn what OOP is and
what its most important features are.

Class keyword
In the previous chapter, we have seen the keyword ‘class’ when we tried to
confirm the data type using the function type():

The class keyword is everywhere in Python. I mentioned that everything in


Python can be considered an Object. Each object has access to properties,
methods, and attributes. The Classes in Python will allow us to create
objects, so they are a blueprint for creating objects. This means that the
classes can help us create new Objects and expand the initial list of data
types. This also means that we can get creative and create our own data
types that are different from the built-in ones. This chapter will help you to
gain an in-depth understanding of these concepts. Therefore, Object-
Oriented Programming is the most fundamental paradigm. Before Object-
Oriented Programming, our code was a list of procedures where each
procedure was executed in a specific order but this was changed when OOP
was introduced. Please note that you can continue using replit.com to run
the code that we are going to cover in this chapter or you can use some of
the tools we have installed in the previous chapter. To put your curiosity at
ease, let’s start learning OOP.
Why Object-Oriented Programming?
Object-Oriented Programming is very useful because we can write a piece of
code and reuse that code by creating different Classes and instances of these
classes. Each of these Classes can add new features without having to
write/change or modify the existing code. The complex programs require us
to use Classes and Objects because we can create multiple manageable
chunks of code.

The Principles of Object-Oriented programming


The following principles are generally applicable to all Object-Oriented
Programming languages.

Abstraction
Encapsulation
Inheritance
Polymorphism

What other languages support Object Oriented


Programming?
The oldest and most well-known object-oriented language is Java. Then
there is C# which is another OOP language developed by Microsoft. Some
of the more famous OOP languages are PHP, Ruby, TypeScript, and Python.

How can we create Classes in Python?


In order to create a class, we need to use the keyword class, and then we
should provide the class name.
Example:

class Student:

As you can see, the Class name starts with a capital letter and this is a
naming convention that you should get used to it. Another rule is that the
class name should be singular, for example, you should not name your
classes like this ‘class Students.’ If the class name needs to consist of two
words then you should use the following convention:

class StudentObj:

As we can see, each of the words starts with a capital letter, which is
different compared to the snake case we used so far. The snake case is used
to join multiple words with underscore like student_obj. After the Class
name, we have a colon ( : ) and here we will need to write the class body.
But before we do this, let’s create an Object for this class. If we leave the
code like this, it will throw an error so let’s add the ‘pass’ keyword and
create our first Object.

On the right side of the figure, we have the output where we have the type
class and ignore the ‘main’ keyword for now because we will explain what it
means in future sections.

What are Classes and Objects in Python?


You need to understand these two keywords Classes and Objects/instances.
The Classes are the blueprint or templates for creating Objects. When we
create Classes, we define a set of properties and methods that will represent
the base of that class. The methods of the Class are like the functions and the
properties are like variables. The Objects will use the class template so it can
access a copy of the properties and methods from the Class.
Keywords so far:
Classes
Objects
Properties
Methods.

From the figure above, we have a few new keywords that I need to explain.
On the left side, we have a Class and this represents what we want the
create, and what kind of properties and methods we want that Class to have.
So, it is a blueprint or template. On the right side with green background
color, we have the Objects. When we want to create an Object from a
particular Class, we need to instantiate that class. The Objects we are
creating are called Class Instances and we can create as many instances as
we want. If you have learned other OOP languages, then you are familiar
with this syntax because they all share the same or similar syntax:

# class template
class StudentObj:
pass
# Create new object by instantiating the StudentObj class
s_obj1 = StudentObj()

print(type(s_obj1))

The s_obj1 is an Object or an Instance of the class StudentObj.

Class Constructor, attributes, methods


In this section, we will create a Class called Person and we are going to learn
a few more new features. Do not worry if you don’t understand all of them at
first, it takes time but trust me, in the future, this will be like very easy for
you. So let’s create our first real class called Person:

class Person:
def __init__(self, name):
self.name = name

def greet(self):
print(f'{self.name}')

In Python, the Class methods start with a double underscore __ and they end
with a double underscore as well. Generally, in Python, the methods are
special types of functions. We have covered functions in the previous
chapter so we are using the exact same syntax with the keyword ‘def’ in
front. So, the difference between functions and methods is that methods are
specific to a Class, so they belong to that Class and functions belong to the
global scope. That is why the authors in most literature you will read use
functions instead of methods when they describe Classes, they can be easily
mixed up. In our case, the methods with a double underscore are special and
they are called dunder methods or magic methods. The method at the top of
the Class declaration is known as the constructor method or init(). This
method will automatically be called when we instantiate Objects from the
class Person. We don’t have any objects at this stage but this method will be
called immediately. Let us create a person_obj1 which will be an instance
from the Person class and try to run the following code:

From the picture above, on the right side we have a TypeError saying that
the Person method __init__() is missing the name argument, but how does it
know? Well, we are creating an instance of the Person Class, therefore when
an Object of the Person Class is created, the constructor of that Class will be
called:

person_obj1 = Person()
print(person_obj1)

This will run the constructor function init() and it will try to do the following
assignment:
self.name = name
But the problem is that I never give any arguments during the constructor
call because we called the Class like this Person() without passing an
argument. In the constructor method, after the self-keyword, we are expected
to provide a parameter name:

def __init__(self, name):


This means that after the self-keyword if we have parameter/parameters, we
must provide them in the Class call, for example, Person(‘Jason’). We need
to link them like in the figure below:

Therefore, when we instantiate an Object of the Class Person, we need to


provide the argument or arguments that are listed in the init constructor. In
our case, the init constructor requires only one parameter and that is the
‘name’.
As you can see, we add one argument in the class call:

person_obj1 = Person('Jason')

Now if we run the code again the error will be gone. The ‘self’ keyword we
have in the init() method refers to the current instance of the class
(person_obj1). In our case the self-parameter is a reference to the
person_obj1 which is the only instance of the class, therefore person_obj1
will have access to the Class methods and properties. The ‘self’ keyword can
be named whatever we like but it has to be the first parameter in the
constructor because it’s considered a default parameter of any method in the
class. This is what is happening behind the scenes:
Let’s access that name property from the Object because the Objects are
Instances of a Class and they have access to the Class methods and
properties:
Let’s create another instance/object from the Person class this time with a
different name:

As you can see, we have created another instance of the Person Class and
this instance now has a different name attribute (Carly) and when the
__init__ method is called, the name parameter will assign ‘Carly’ because
the of ‘self’ keyword which will tell the constructor that the parameter
belongs to the person_obj2 Object. So, we have followed the good old DRY
(DO Not Repeat Yourself) principle because we were able to create two
separate instances/objects that called the same class with different name
attributes. The objects accessed the same class and its methods and
properties. If this was not OOP, then we would have to write the same code
for both of the objects. This is making the code to be more dynamic. The
self-keyword is bound to the object that is instantiated. In the Person Class,
the init constructor is very simple, accepting only one parameter but it can
be much more complex, for example, let’s say we want the constructor to be
called with name, last name, and age parameters and we can also change the
greet() function to print all of the details:
Now when we instantiate an Object from the Person class, we need to pass
two additional arguments like last name and age. The name, lastname, and
age are class attributes and they can be accessed by the Object/instance. The
class attributes are properties that the Object has access to using the dot
notation and the property:

print(person_obj1.name)
print(person_obj2.age)

As you can see, the person_obj1 and person_obj2 have access to class
attributes without the brackets because they are not methods. If we want to
access a class method directly, we must use the brackets () like this:

print(person_obj1.greet())
print(person_obj2.greet())

Finally, the person_obj1 and person_obj2 are instances of the class Person
but they are unique and different from each other, please do not confuse
them. We have used the class Person as a template to create/instantiate
objects that are stored in different places in computer memory. We can find
this very easily if we print only:
print(person_obj1)
print(person_obj2)

The output will be:

<__main__.Person object at 0x10cddfdf0>


<__main__.Person object at 0x10cddebf0>

As you can see, both Person objects are stored in different locations in the
computer memory. This is perfect because now each of these objects can
have its own methods and attributes that will be hidden from the other
object.
In summary, the Class can have attributes and methods. The attributes are
initialized by the constructor method that will have a ‘self’ keyword as a
default parameter. When we create a new object or instance of the class
Person, we immediately call the constructor and initialize all of the
parameters to the values that are unique to that object. Each instance of the
Person class can access the class methods and attributes and they are
independent of each other, meaning they are stored in different memory
locations.

Class Object Attribute


A Class Object attribute is different compared to the rest of the attributes in
the Class. Let’s first create one:

class Person:
# Class Object Attribute
is_person = True

# Constructor
def __init__(self, name, lastname, age):
self.name = name # name attribute
self.lastname = lastname # lastname attribute
self.age = age # age attribute
# Method
def greet(self):
print(f'{self.name}, '
f'{self.lastname}, old:{self.age}')

person_obj1 = Person('Jason', 'Brooks', 44)


person_obj2 = Person('Carly',' Stevenson', 32)
print(person_obj1.greet())
print(person_obj2.greet())
From the figure above, we have the is_person Class Object attribute that is
set to be Boolean True. The difference between this attribute and the rest of
the attributes is that the Class Object attributes are static. In the method
greet(self), we pass the self-keyword so we can get access to the name,
lastname, and age from the object that calls the method because the self is
bound to the object. But this static attribute can also be called by the class
itself:
Class object attributes are the ones that will not change, they are static and
can be accessed directly by the class itself or the instances/objects. The class
object attributes belong to the class and they are initialized to some value in
the Class itself, and the attributes defined in the constructor or other methods
like name, age, and lastname will have values that are dynamically assigned
by the calling objects. If we run the above code the output is:
__init__ Constructor
I have already explained what the __init__ constructor is in the sections
above, but I would like to add a few more things that I think are important
when it comes to class instructors. Let’s have a look at the constructor again:

def __init__(self, name, lastname, age):


self.name = name # name attribute
self.lastname = lastname # lastname attribute
self.age = age # age attribute

And the object/instance that will call the constructor immediately:

person_obj1 = Person('Jason', 'Brooks', 44)

As soon as the person_obj1 is instantiated from the class Person, the


constructor function will be called. Why is the constructor function so
important? Well, the constructor will do its job and it will construct a new
Object or instance of the Person Class so that the new object can use the
Class attributes and methods. The constructor’s first parameter is the self-
keyword. This self-keyword as you can see have a different color if we
compare it to the rest of the constructor parameters. When I first started to
learn Python, I understood that the self is just a reference to the calling
object, and each object will have its own self. Each object we create is
unique and therefore the self-keyword must belong to only one object.
Please check the following figure:

I hope you now understand why the constructor is called when we instantiate
the object. Please don’t get scared by my Picasso drawing. The constructor
can be much more complex, for example, let’s allow new objects to be
instantiated from the Person Class if they meet a certain condition like an
age limit. For example, let’s add a condition in the constructor so it will
check the age before we create the actual object. Have a look at the complete
code:

class Person:
# Class Object Attributes
is_person = True

# Constructor
def __init__(self, name, lastname, age):
if age >= 18:
self.name = name # name attribute
self.lastname = lastname # lastname attribute
self.age = age # age attribute

# Method
def greet(self):
print(f'{self.name}, '
f'{self.lastname}, old: {self.age}. '
f'Called by the class itself: {Person.is_person}. '
f'Called by the self keyword {self.is_person}')

person_obj1 = Person('Jason', 'Brooks', 17)


print(person_obj1.greet())
Because of the if-condition inside the init constructor, we will never
instantiate the person_obj1 as it is because the current age argument that we
pass is 17. This will make the condition be evaluated to Boolean False. If we
try to run this code, we will get AttributeError:

Very good, now if we change the age to 18 or bigger, the if condition will be
evaluated to true and the object will be successfully created:

person_obj2 = Person('Andy', 'Garcia', 20)


print(person_obj2.greet())

The above code will print this out:


Andy, Garcia, old: 20. Called by the class itself: True. Called by the self
keyword True

Constructor with default values


We know the functions can have default values for their parameters, in case
the calling object misses out on any of the values. The constructor is a
function, a special function, you probably know this because of the ‘def’
keyword in front, so it can have default values as well:

# Constructor
def __init__(self, name='John', lastname='Doe', age=18):
if age >= 18:
self.name = name # name attribute
self.lastname = lastname # lastname attribute
self.age = age # age attribute

Now, this allows us to create objects or instances from the Person Class
calling the constructor like this:

person_obj3 = Person()
print(person_obj3.name)

The output from the code above will be John even though we didn’t pass any
arguments to the Person() constructor. The default values we have in our
code are called safeguards so we can have proper control of how we
instantiate Objects from a Class.

Create Class Methods using @classmethod


In this section, we will create a Class method that belongs to the Class. To
achieve this, we need to use the @classmethod keyword which is known as
a decorator. We need to use the decorator before the function declaration:
# Class Method
@classmethod
def date_created(today_date,year):
print(today_date,year)

As we can see, before the method declaration, we used the @classmethod


decorator and then the rest of the method syntax is the same as before. Can
this method be accessed by the Objects of the Person Class? Let’s try to run
the following code:

person_obj3.date_created('14/05',2023)

This will cause the following error:

The error says we supplied 2 parameters but 3 were given. If you remember,
each method inside the Class should have the self-keyword as a first
parameter, but here we are missing this keyword. The Class method does not
belong to the Object therefore the ‘self’ keyword is no longer needed but we
need to use a keyword that will tie this method to the Class. Therefore, we
use the ‘cls’ which stands for class and is standard nowadays. The Class
method must receive the class keyword as a first argument:
# Class Method
@classmethod
def date_created(cls,today_date,year):
print(today_date,year)
Now the object can call this method:

person_obj3.date_created('11/11', 2023)

So why do we need this kind of method when the object can access it just
like the rest of the methods? Well, this kind of method belongs to the class
itself so you are not required to instantiate the class in order to use it:

# the class can call this method without objects


Person.date_created('12/12', 2023)

This will still print the output because the method is a class method and
doesn’t require an Object to access it. These types of methods are rare in
Python but it is good to know them.

To summarize what we have learned about the Class method:


the class method is bound to the class and not to the object
the class method has access to the class and its state like all of the
attributes of that class
It can access and modify the class states and attributes

Static method @staticmethod


The static method is very similar to the class method but the difference is
that we don’t have to use the class implicit keyword ‘cls’. The static method
does not have access to the Class state and therefore cannot modify the
Class. So why do we need these static class methods then? Well, these
methods can be used as utility-type methods that can take parameters and
perform some action. To create a static method, we need to use the decorator
@staticmethod:
# Static Method
@staticmethod
def is_adult(age):
return age >= 18

print(Person.is_adult(19))

This will return true because the age (19 >=18) which is evaluated to True:

1st Pillar of OOP - Encapsulation


Encapsulation is one of the four most important principles of the OOP. We
have already covered this concept but now hopefully the definition will
make sense. Encapsulation refers to binding the data with the functions and
methods that operate or manipulate that data. The data will be the attributes
and the functions will be the methods. In our example, we have a Class
called Person that encapsulates the data which will be the attributes like
name and age to the functions or methods that manipulate that data. You can
understand the encapsulation as a package because it holds the data and the
functions enclosed in one single box:
2st Pillar of OOP – Abstraction
Abstraction means hiding information and only giving access to what is
necessary. Abstraction is the second most important principle that we will
cover in OOP. In other words, we are hiding the internal implementation of
the methods from outside users by only providing access to limited data.
Take a look at the following Object that accesses the greet() method:
The Object person_obj1 does not know how the greet() method is
implemented in the Class Person, so that information is hidden but the
Object gets an output which means it gets only the essential data the method
greet() provides. The person_ob1 knows what the greet() function does and
it can get the output but it doesn’t know the internal implementation.

Python Private vs Public Variables


In this section, we will discuss what private and public variables are, what
they mean, and how can we use them in our code. Please check out the
following code:

# private and public variables


class Person:
# Constructor
def __init__(self, name='John', lastname='Doe', age=18):
if age >= 18:
self.name = name
self.lastname = lastname
self.age = age

# Class method
def greet(self):
print(f'The data and functions are encapsulated, \n'
f'My name is: {self.name}, \n'
f'My last name is: {self.lastname}, \n'
f'and I\'m {self.age} old.')

person_obj1 = Person('Jason', 'Mamoa', 53)


person_obj1.greet()
person_obj1.lastname = 'Bourne'
print('-------------------')
person_obj1.greet()

This is the output of the last greet method():


I know you didn’t expect this outcome because I have used an instance of
the class Person and changed the value of the lastname attribute. This is
totally opposite to the second pillar of OOP called abstraction because this
principle holds that Object should not be able to access and modify data but
to get data/information back. In Java, we can create private variables and
they will remain private for the instances. This is a nice concept in Java and
all we need to do is to write the private keyword in front:

# Private
private String name;
private String lastname;
private int age;
But we cannot do the same thing in Python. In Python, when we want to say
that this attribute or variable is private, we need to write an underscore in
front:

self._name = name # name attribute


self._lastname = lastname # lastname attribute
self._age = age # age attribute
This is not the exact same thing that we have in Java. It will not throw an
error if we try to run the above code again because the value of lastname will
be changed, so what is the point of writing underscore then? Well, the point
is that when other programmers see this naming convention, they will
understand that we are trying to say this attribute is private and we should
not try to change its value. All of the other variables are considered public
but the ones with an underscore are considered private. This is how we can
mimic the privacy in Python - by adding an underscore in front, but if
someone tries to modify it, it will still go through. In Python, we cannot
achieve true privacy like in other OOP languages but at least we have a
naming convention that uses a single underscore before the attribute name.
When we use _lastname we indicate that this is a private variable/attribute in
Python. For example, the method greet() now must also include the
underscore in front of the variables so it can work without any errors:

# Method
def greet(self):
print(f'The data and functions are encapsulated, \n'
f'My name is: {self._name},\n'
f'My last name: {self._lastname},\n'
f'and I\' old:{self._age} ')

3rd Pillar of OOP – Inheritance


Inheritance is one of the core principles of OOP. The inheritance allows us to
create a class that will inherit methods and properties from another class.
The class that is being inherited from is called a Parent class or base class
and the class that inherits the methods and properties from the parent class is
called a child class or derived class. So far, we have used the Person class as
an example to explain some of the principles of OOP. The Person class has
name, lastname, and age as properties, and one method called greet to print
those properties. In order to show you inheritance, I will need to create
another class called Student that will inherit the functionality from the parent
class Person. Let’s see how we can achieve this in Python:
# inheritance
class Person:
# Constructor
def __init__(self, name='John', lastname='Doe', age=18):
if age >= 18:
self._name = name # name attribute
self._lastname = lastname # lastname attribute
self._age = age # age attribute

# Method
def greet(self):
print(f'The data and functions are encapsulated, \n'
f'My name is: {self._name},\n'
f'My last name: {self._lastname},\n'
f'and I\' old:{self._age} ')

print('------- Person Class ------')

person_obj1 = Person('Jason', 'Mamoa', 53)


person_obj1.greet()

class Student(Person):
pass

print('------- Student Class ------')

student_obj1 = Student('Rick', 'Jameson', 33)

print(student_obj1.greet())

Output:
This is the syntax for inheritance in Python:

class Student(Person):

The Parent class should be included in the brackets of the child class and that
is all. In this case, the Student class doesn’t have its own properties and
methods but it can have new methods and they will not be shared with the
parent class. This means that the child class can inherit everything from the
parent class and can have its own attributes and methods. We use the pass
keyword whenever we don’t want to include any code. Let’s discuss the
following code:

student_obj1 = Student('Rick', 'Jameson', 33)


print(student_obj1.greet())

As you can see, the student class was able to use the parent class Person
__init__ constructor method to initialize the name, lastname, and age and
after that to use the print method so it can print the details of the
student_obj1. So far, our child class inherits all of the properties/attributes
and methods from the parent class but we can add a new constructor for the
child class as well that will have its own attributes. The common attributes
between a Person and a Student are:
name
lastname
age
We can add the following new attributes for the Student class:

class Student(Person):
def __init__(self,name,lastname,age,dob,address):
Person.__init__(self,name,lastname,age)
self.dob = dob
self.address = address

From the code above, the Student constructor will have all of the attributes
from the parent class Person plus two new, the dob (date of birth) and
address. Instead of writing the self.name = name for all of the parent
attributes, we can call the Person init constructor and include the parent
attributes directly in the Student class:

Person.__init__(self, name, lastname, age)

For the Student class, we add self.dob = dob and self.address = address
because they are the new attributes that belong to the student class and they
are not inherited from any other class. The student object now will need to
include the dob and address attributes:

student_obj1 = Student('Rick', 'Jameson', 33,


'29/09/1987','Melbourne/Australia')

If there was no inheritance, the Student class and Person class would have
looked like this:

class Person:
# Constructor
def __init__(self, name='John', lastname='Doe', age=18):
if age >= 18:
self._name = name # name attribute
self._lastname = lastname # lastname attribute
self._age = age # age attribute

class Student:
def __init__(self, name, lastname, age, dob, address):
if age >= 18:
self._name = name # name attribute
self._lastname = lastname # lastname attribute
self._age = age # age attribute
self.dob = dob
self.address = address

As you can see, we are not following the DRY (Do Not Repeat Yourself)
principle because we are writing the same code for the same attributes twice.
Imagine we have a few more classes like Undergraduate and Postgraduate,
then we would need to repeat the same code four times. I hope you
understand why inheritance is so important in OOP languages.

Method overriding
Method overriding happens when we want to use the same method name in
the child class but we want the output to be different from the parent class
method. Both methods need to have the same name. For example, in our
Parent class, we have the greet() method, which is suitable and works
perfectly for the Person class but although the child class Student can access
it, it cannot use it to print its own two new attributes. Here is the greet()
method from the Parent class:

# Method
def greet(self):
print(f'The data and functions are encapsulated, \n'
f'My name is: {self._name},\n'
f'My last name: {self._lastname},\n'
f'and I\' old:{self._age} ')
The instantiated student_obj1 from the Student class can access this method,
thanks to the inheritance like this:

student_obj1 = Student('Rick', 'Jameson', 33,


'29/09/1987','Melbourne/Australia')

print(student_obj1.greet())

The output will be:

Great! It works but what about the dob and address attributes that we have
only in the Student, we want them to be included in the output. This is where
method overriding comes into action. We can use the same method name
greet() and create it for the Student class (we should write this method in the
Student class):

# Method overriding
def greet(self):
print(f'My name is: {self._name},\n'
f'My last name: {self._lastname},\n'
f'and I\' old:{self._age}. I\'m student: \n'
f'born at: {self.dob},\n'
f'that lives in : {self.address}')
The output will be:

Perfect! Now we have two methods with the same name in the two classes.
When an instance of person class is created and called the greet() method,
the method created in the Person class will be called but when an instance of
the child class is created and called the greet() method then the Interpreter
will get the method from the student class.

Here is the entire code:

# inheritance
class Person:
# Constructor
def __init__(self, name='John', lastname='Doe', age=18):
if age >= 18:
self._name = name # name attribute
self._lastname = lastname # lastname attribute
self._age = age # age attribute

# Method
def greet(self):
print(f'The data and functions are encapsulated, \n'
f'My name is: {self._name},\n'
f'My last name: {self._lastname},\n'
f'and I\' old:{self._age} ')

print('------- Person Class ------')

person_obj1 = Person('Jason', 'Mamoa', 53)


person_obj1.greet()

class Student(Person):
def __init__(self, name, lastname, age, dob, address):
Person.__init__(self, name, lastname, age)
self.dob = dob
self.address = address

# Method overriding
def greet(self):
print(f'My name is: {self._name},\n'
f'My last name: {self._lastname},\n'
f'and I\' old:{self._age}. I\'m student: \n'
f'born at: {self.dob},\n'
f'that lives in : {self.address}')

print('------- Student Class ------')

student_obj1 = Student('Rick', 'Jameson', 33, '29/09/1987',


'Melbourne/Australia')

print(student_obj1.greet())

isinstance() function – Python


Before we start learning about the new isinstance() function in Python, I
would like to give you another inheritance example and repeat some of the
important features we have learned so far about classes in Python. Classes,
not just in Python but in any programming language, can be a difficult
concept to understand at first, and this is one of the reasons why I wanted to
summarize. Let’s start from the basic building blocks of a class. Each class
can have attributes and methods. The number of attributes and methods
depend on what the class is about, this means it can have many attributes or
no attributes at all. The class important method is the constructor
method_init. In this method, the first parameter is called ‘self’ and the rest of
the parameters are the class attributes. The class can be instantiated, meaning
we can create object/objects from that class. The process of creating a new
object is called instantiation. Therefore, the objects are instances of a class.
When we create an instance the constructor method is called immediately.
But how does the class know which object was instantiated and how to
initialize the attributes to values? The first parameter of the constructor is
going to tell the class which object is currently in use. The methods inside
the classes are nothing but functions, but we do not call them functions
because these methods can be used internally for the class itself or by its
objects/instances. The instance/object of the class can access all of the
attributes and methods. The class can have its own class attributes and
methods and they are different from the normal attributes and methods
because we don’t need to instantiate the class in order to use them. The class
itself can call them directly. Class inheritance is a very important pillar of
OOP because it allows us to use a class and create a child class that can
inherit all of the attributes and methods from that parent class. This saves
time because we are not creating code duplicates. In some literature, you will
find that the child class is also called:

Subclass
Derived class
Concrete class

The parent class or the class that other classes inherits can be known as:
Parent
Super
Abstract class

I hope now everything is starting to make sense and here is another example
of inheritance:
# inheritance

class Mammal:
def __init__(self, name):
self.name = name

# eat method
def eat(self):
print(f'{self.name} eats different types of foods!')

# walk method
def walk(self):
if self.name != 'bat':
print(f'{self.name} can walk!')
else:
print(f'The {self.name} is the only mammal that can fly!')

print('******** Mammal class instances output! ********')


mammal_obj1 = Mammal('Elephant')
mammal_obj1.eat()
mammal_obj1.walk()
mammal_obj2 = Mammal('bat')
mammal_obj2.eat()
mammal_obj2.walk()

class Dog(Mammal):
def __init__(self, name, breed, legs):
Mammal.__init__(self, name)
self.breed = breed
self.legs = legs

# eat method overriding


def eat(self):
print(f'{self.name} eats only dog food!')
# details method - unique for the class Dog
def details(self):
print(f'The {self.name} is a {self.breed} \n'
f'and like all dogs have {self.legs}-legs!')

print('******** Dog class instances output! ********')


dog_obj1 = Dog('Benn', 'labrador', 4)
dog_obj1.eat()
dog_obj1.walk()

The output:

As you can see in the above inheritance example, we have the Mammal class
which is the parent and the Dog class is the one that inherits. We have used
the inheritance so the Dog class can inherit all of the attributes and methods
like eat and walk from its parent Mammal class. In the Dog class, we also
have method overriding because the ‘eat’ method from the parent class
wasn’t suitable for use on Dog instances. The Dog class can also have its
own method/methods like ‘details’. This method cannot be accessed by the
Mammal class instances.

isinstance()
This is a built-in function in Python that allows us to check if something is
an instance of a class.
Here is the syntax:

isinstance(instance, Class)

From the previous example, we can check if the dog_obj1 is an instance of


the Dog class:

print(isinstance(dog_obj1, Dog))

If we run this code, it will give us True because the dog object is an instance
of the class Dog. But if we try to see if the dog_obj1 is an instance of the
Mammal class, what do you think will happen?

print(isinstance(dog_obj1, Mammal))

The output:

This will print True because the dog_obj1 is technically an instance of the
Mammal. After all, the Dog class is the child class or subclass of the
Mammal class. This is confusing but it is very logical because the Dog class
is a subclass of Mammal and therefore every instance of the dog class will
be an instance of the Mammal class as well. If you remember, I mentioned
that in Python, everything is an object. I can prove this if I type the name of
the instance and dot like this:
As you can see, the dog_obj1 has access to all of the attributes and methods
from the Dog and Mammal class because of the inheritance but if I scroll
further, there will be more functions available to this dog_obj1 instance:
Where are these functions coming from? Python, as we know, comes with
pre-built methods and functions and in this case, the dog_obj1 or any
instance will inherit from the base Object class that Python comes with. This
means that dog_obj1 is an instance of Dog class, Mammal class, and Object
class as well. If I try to print this code, the result must be True:

That is why the dog_obj1 has access to all of the methods from the Dog,
Mammal, and Object base classes. The methods are also accessible for
Python Strings, Lists, Dictionaries, etc:
Now we know that although the Mammal class is the first/parent class, it
also inherits from the base Object class as well, therefore we can even write
it like this:

class Mammal(object):

4th Pillar of OOP – Polymorphism


This pillar has a very long and unusual name because it comes from the
Greek word that means many forms (poly – many, morphism – forms).
Polymorphism refers to a function or a class method that has the same name
but is being used in different ways and in different scenarios. Polymorphism
is one of the most fundamental pillars of OOP. In the previous parent-child
class example, we saw that different classes can share their methods,
therefore the method ‘eat’ is shared between the two classes but each of
them does something different with this method. Same method name, but
different functionality and output:
Another simple example of polymorphism is when we use the built-in len()
function in Python. These functions can be called/used by many different
Python data types:

print('******** len() function polymorphism example! ********')


str_obj = "Polymorphism"
list_obj = ["Java", "Python", "Ruby", "C#", "PHP", "C++"]
dict_obj = {
"brand": "Tesla",
"model": "Funny names :)",
"year": 2023
}
print(len(str_obj))
print(len(list_obj))
print(len(dict_obj))

Output:

This proves that the len() function works on different data types like strings,
lists, and dictionaries and it gives us result, so the len() function actually
takes many shapes. Another way to demonstrate polymorphism is to use the
for loop and call the same method but using a different class instance:
animals = [mammal_obj1, dog_obj1]

for animal in animals:


animal.eat()

Both objects in the lists belong to the Mammal-Dog inheritance example and
the result will be:

From the code above, we can see that we have two different outputs because
in the for loop, this is what is happening:

mammal_obj1.eat()
dog_obj1.eat()

super() function
In order to explain the super() function, I would like to give you an example
where we have two classes - Person and Employee. If you want you can try
and write the code yourself based on the description below, but please don’t
get too hard on yourself if you can’t do it.

Description:

The program should have two classes. The first class will be called Person
and the second class will be called Employee. You will need to guess their
relationship so you can write the inheritance correctly. The person class will
have the following attributes:
name
dob (date of birth)
id_number

In the person class, you should have the info() method that will print all of
the Person details in a new line. The class Employee should be able to use all
of the attributes and methods from the parents class but it should also have
new attributes:
salary
position

The employee class will have its own info() method with the same name as
from the Person class so it can print the parent class details plus the new
Employee details as well (method overriding). In the end, you need to create
an instance of the class Person and call the info method then create another
instance of the Employee class and call the info() method.

Here is the final code:

# Parent class
class Person(object):

def __init__(self, name, dob, id_number):


self.name = name
self.dob = dob
self.id_number = id_number

def info(self):
print(f'name: {self.name} \n'
f'dob: {self.dob} \n'
f'id: {self.id_number}')

# child class
class Employee(Person):
def __init__(self, name, dob, id_number, salary, position):
# invoking the __init__ of the parent class
Person.__init__(self, name, dob, id_number)
self.salary = salary
self.position = position

def info(self):
print(f'name: {self.name} \n'
f'dob: {self.dob} \n'
f'id: {self.id_number} \n'
f'salary: {self.salary} \n'
f'position: {self.position}')

# Instance of Person class


print('# Instance of Person class')
person_obj = Person('Andy', '29/09/1999', 1334524)
person_obj.info()

# Instance of Employee class


print('# Instance of Employee class')
employee_obj = Employee('James', '29/09/1999', 1334524, 7000,
'accountant')
employee_obj.info()
As you can see in the Employee class, we call the __init__ constructor
directly from the Person class so we don’t need to write all of the attributes
Person has in the Employee constructor again. This will be wasting time and
unnecessary code repetition. But this is one way of doing it, and there is
another way that require us to use the super() function. The super() function
needs to be called in the child class and in our case the Employee class. The
super() function doesn’t even require the ‘self’ keyword:

class Employee(Person):
def __init__(self, name, dob, id_number, salary, position):

super().__init__(name, dob, id_number)

The super() is called super because it refers to the parent class (Person) and
the parent classes are also known as super or abstract classes. This is how we
can use the super() to link up the parent and child classes
Code introspection in Python
Introspection allows us to determine the type of object during the runtime.
As we know, everything in Python is considered an Object and every object
has attributes and methods. We also learned that the parent class inherits
from the base class known as Object. In Python, we have a built-in function
that we can use for code introspection. The first function is a well-known
function that we have used so many times so far:

Type()

# 1 type()
str_obj = 'Hi'
list_obj = [1, 5, 7]
int_obj = 10
float_obj = 10.3
dict_obj = {
"type": "1"
}

print(type(str_obj))
print(type(list_obj))
print(type(int_obj))
print(type(float_obj))
print(type(dict_obj))

Output:
dir()

this function will return the list of methods and attributes associated with the
object

print(dir(dict_obj))

The output:

str()
This function will convert everything to a string
# 3 str()
list_obj1 = [1, 2, 4]
print(type(list_obj1))
# convert to str
print(type(str(list_obj1)))

Output:

<class 'list'>
<class 'str'>

id()
This function will return an id of an object
# 4 id()
m = [1, 2, 3, 4, 5]

# print id of m
print(id(m))

Output:

4478974848

Other useful code introspection methods are:


help()
hasattr()
getattr()
repr()
callable()
isinstance
issubclass
__doc__
__name__
You can read more about them if you open the following link from the
Python documentation:

https://docs.python.org/3/library/functions.html

Dunder/Magic methods
Dunder or magic methods are very important in Python. We have already
briefly mentioned them but in this section, we will talk about them in more
detail. One example of the dunder method we have used is the __init__
method or known as constructor. The __init__ is a magic method because it
will be called automatically when an instance(object) from that class is
created. Luckily for us, Python provides many dunder/magic methods like
the len(), print(), and []. They are all dunder methods. We have seen from the
previous section that when we use the dir() function on a class instance, the
output will be a list of methods inherited from the base Object class:

print(dir(person_obj))

Output:

We said that double underscore is what makes these methods be considered


as dunder or special but the len() function does not have underscores and I
stated it is a dunder method. Well, the len() is actually implemented with the
help of the dunder methods. The len() function will give us the length, for
example, if we have a list like this:

list_obj = [1, 3, 5, 7, 9]

We can use the len() function to get the list length:


print(len(list_obj))

The result will be 5 because we have five items in the list above. In the
background, the len() is implemented as a dunder method and Python allows
us to use this kind of method directly on the object or instances of our
classes. I will create a class Car and one instance just to show you how we
can call some of the dunder methods from the figure above:

# car class

class Car(object):
def __init__(self, color, make, year, size):
self.color = color
self.make = make
self.year = year
self.size = size

bmw_car = Car('red', 'bmw', 2022, 'sedan')

Now we can call some of the dunder/magic methods on this class like the
__str__() directly on the bmw_car instance like this:

print(bmw_car.__str__())

The output will be:

<__main__.Car object at 0x10976bd30>

The __str__() dunder method will return a str version of the object. The str is
the built-in string class. But what do you think will happen if we use the
built-in str() Python function instead of the dunder method?

print(str(bmw_car))

The output will be exactly the same, and why am I showing you this? Well,
the dunder method __str__() allows us to use the Python built-in function
str() and avoid complications. If you want to read about the dunder methods,
you can click on the following link but sometimes Python documentation
can be overwhelming:

https://docs.python.org/3/reference/datamodel.html#specialnames

If you read only a few paragraphs from the link above, you will find out that
we can perform basic customization on these methods and that is what I
want to teach. In short, we can modify the existing dunder methods and
create our own methods. The magic/dunder methods can help us override the
functionality for the built-in functions and make them custom for specific
classes. For example, let’s modify the __str__() dunder method to return
something instead of a memory location:

# car class

class Car(object):
def __init__(self, color, make, year, size):
self.color = color
self.make = make
self.year = year
self.size = size

def __str__(self):
return f'{self.make}'

bmw_car = Car('red', 'bmw', 2022, 'sedan')

# call the dunder __str__ method:


print(bmw_car.__str__())

# the exact same as above is the built-in str() function


print(str(bmw_car))

If we run the same code now, the output should change:


As you can see, we used the dunder methods to change what the method
returns and we can override the functionality completely. You should not
modify the dunder methods but you should note that these modifications are
not going to work on every class because they are not permanent and they
are not global. In our case, we haven’t changed the Python method __str__()
completely. It will be changed just for the ‘Car’ class and the instances of
that class. This means that if I have another class and create an instance from
that class then I try to use the dunder string method __str__(), the output will
be the same as from the original Python implementation. Let us see another
dunder method__del_. This method is very similar to the destructors in C++
and these destructors are used to destroy the object state. So, instead of
destroying the variable or the object, let us just modify this __del__ to print
‘Deleted’:

def __del__(self):
print('Deleted')

And we can call it like this:

# call the del method


del bmw_car

# if we try to access the bmw_car object an error


print(bmw_car)
Output:

It will still run the destructor at the end of the program and it will delete all
of the references to the object. The del is usually not that popular in Python
and you can run into some problems if you are using it because it will not
delete just a single object or variable but all of the references connected to
that object or variable. But it is always nice to know it exists. There is
another dunder method called delete. The __del__ and __delete__ are both
dunder methods in Python. The __delete__ will delete the attribute which is
a descriptor and we can execute it when needed. It will not run at the end of
the program like __del__.

# Calling __delete__
def __delete__(self, instance):
print("Deleted")

Let us talk about another dunder method __call__. The call will give our
class unique features:

def __call__(self):
return 'Called!'

Now our actual object bmw_car can be called using these brackets ‘()’, or
the same way we call the function:
print(bmw_car())

The result will be:

Another dunder method that I would like to mention is __getitem__(). This


method if used in a class will allow the instance of that class to use the
square brackets [] and pass the index to get an item or a value from a list,
dictionary, or tuple. So let us define another attribute inside our class that
will be from the type dictionary:

class Car(object):
def __init__(self, color, make, year, size):
self.color = color
self.make = make
self.year = year
self.size = size
self.engine_dict = {
'automatic': 'Yes',
'manual': 'No'
}
Now we can create the dunder __getitem__() method:

def __getitem__(self, index):


return self.engine_dict[index]

Finally, we can call the instance of the class in our case bmw_car like this:

# call the bmw_car instance using the square brackets


print(bmw_car['manual'])

This will give us the value of the key ‘manual’ which is ‘No’. I think you
now understand that we can modify the dunder methods and customize what
they return. It’s not the best idea to modify the dunder methods but
sometimes our code logic requires us to do this. The dunder methods are
indeed magic because they can help us change the way methods return
something for specific classes. This is all about dunder methods but you can
read the documentation if you want to learn more about them. In the next
section, we will focus on another OOP feature called multiple inheritance.

Multiple Inheritance
The inheritance allows us to have a class known as child class that can
inherit the properties and methods from another class. But there can be
different types of inheritances:

1) Single inheritance
2) Multi-level inheritance
3) Multiple inheritance
4) Multipath inheritance
5) Hybrid Inheritance
6) Hierarchical Inheritance

In our case, we want to explore multiple inheritance, what it does, and what
it means in Python. So far, we have done a single inheritance where the child
class had only one parent/base class but the child class can have multiple
parents. The derived (child) class can inherit all of the properties and
methods from multiple classes. Please take a look at the figure below:

We can have multiple parent classes and the child class can inherit all of the
methods and properties defined in the parent classes. This is very powerful
and not all of the programming OOP languages allow it. In the following
example, we will have father and mother class that will be inherited by the
child class:

# Multiple Inheritance

# father class
class Father(object):
def __init__(self, name, age):
self.name = name
self.age = age

def get_name(self):
print(f'Name: {self.name}')
def get_age(self):
print(f'Age: {self.age}')

class Mother:
def __init__(self, name, eyes):
self.name = name
self.eyes = eyes

def get_name(self):
print(f'Name: {self.name}')

def get_eyes(self):
print(f'Color of eyes: {self.eyes}')

class Child(Father, Mother):


def __init__(self, name, personality, gender):
self.name = name
self.personality = personality
self.gender = gender

def child_info(self):
print(f'Name: {self.name}\n'
f'Last name: {self.personality}\n'
f'gender: {self.gender}\n')

# child object

morgan = Child('Morgan', 'cheeky', 'male')


morgan.child_info()

As you can see, we can do multiple inheritance if we pass the names of the
classes one after the other, separated with commas:

class Child(Father, Mother):


If we run the following code, the ‘morgan’ instance will call its own method
‘child_info’:

But because we have multiple inheritance, this automatically means we can


access all of the father and mother functionalities (attributes and methods). If
we type the instance name and dot, we will have a list of every property and
method the ‘morgan’ object have available:
From the figure above, we can see that we can access the name property and
get_name() method defined in the father class because of the inheritance. So
let’s call the get_name() method and print its result:

This works just fine, let’s test the get_age() method now:
From the figure above, we can see that we have an attribute error saying that
the ‘Child’ object does not have an attribute for age, and this is true because
this is our Morgan object:

morgan = Child('Morgan', 'cheeky', 'male')

We can solve this by adding age at the end. For example, let’s 2 (for two
years):

Now we have a TypeError saying the child constructor __init__() method


does not take 5 arguments, so what can we do? Well, one thing we haven’t
done is that we never called the father constructor in the child constructor so
let’s change that and a few lines of code in the Child constructor function:
As you can see, we have called the Father constructor and we also added the
age attribute to the child __ini__() constructor as well. Finally, we can run
this code again:

As you can see, the child now is 2 years old, and everything works. Let’s call
some of the mother methods and see what will happen:
Same error, the child object doesn’t have the ‘eyes’ attribute and if we add
that attribute the problem will not go away unless we include the Mother
constructor in the child class:

Let’s test this by adding ‘blue’ eyes:

morgan = Child('Morgan', 'cheeky', 'male', 2, 'blue')


Perfect! Now everything works. Let us summarize the pros and cons of
multiple inheritance:

Pros:
a) The child class can inherit functionalities from multiple classes
b) This allows us to create complex relationships between the classes
c) Multiple inheritance syntax resembles how classes are in the real
world, therefore we can better describe the classes and establish
relationships between them
d) Having the ability to use the parents’ methods and attributes is a huge
bonus because any OOP language strives for code reusability, and here
we reuse the code from other classes
e) Building applications using multiple inheritance will take less time
(code reusability) and less memory
Cons:
a) I mentioned that Python is one of the few languages that allow us to
implement multiple inheritance, which can cause a lot of confusion
b) It is really hard to have multiple inheritances where multiple classes
have the same method name
c) The maintenance of the code is much more tasking compared to
applications with single inheritance

MRO – Method Resolution Order


When we are dealing with multiple inheritance, we can run into problems.
That is why I mentioned that multiple inheritance is not a feature that all
OOP programming languages support because they want to avoid
complexity. For example, we have class A that inherits from two other
classes, B and C, and this is the exact same scenario we had with the ‘Child,
Father, and Mother’ classes in the previous section. But imagine that both of
these classes (B and C) inherit from a fourth-class D. Let us have a look at
the following figure:
I know this figure is confusing so let me explain what is happening. The two
classes, B and C, inherit from the Parent class, D, where we have a method
called info(). Because of the inheritance, this method is now available in
classes B and C. Class A on the other hand inherits all of the functionalities
from classes B and C. When we instantiate the class A and call the info()
method, where will this method come from? Will it come from class B or
class C? This is decided by the linearization algorithm. The MRO (Method
Resolution Order) is an algorithm that will decide how the classes are
ordered and from which class to use the method. So, the linearization will
create a list of all ancestor classes including the class itself and it will order
them by putting the first as closest and the last as furthest. In simple terms,
the MRO is a rule that Python will follow to determine which object to call
first. Okay let’s create a new example where we can see how the MRO
algorithm works:

# MRO - Method Resolution Order

# class A

class A:
def __init__(self, length=5):
self.length = length

def info(self):
return self.length

class B(A):
pass

class C(A):
def __init__(self, length=2):
self.length = length

def info(self):
return self.length

class D(B, C):


pass

# instance of class D
d_ob1 = D()
print(d_ob1.info())
If we sketch this entire relationship, we will end up with this drawing:
If we create an instance of the D class and call the info method, what will be
the output?

# instance of class D
d_ob1 = D()
print(d_ob1.info())

The output will be 2 and not 5, why is this? Well, because the job of the
MRO algorithm is not going to follow our human logic and it will not go
clockwise and get the method from class A directly:
So MRO will consider what is first in line when we have methods or
attributes that have the same name. It will consider the classes from which
the inheritance should happen first:

In Python, there is A method called mro() that will tell us the exact order that
the algorithm will use so all we need to do is to type:

print(D.mro())
Output:

From the figure above, we can see the algorithm order. First, it will check if
the info method is in class D, then it will go to the B class and check, then C,
then A, and finally the base Object class that each of the classes inherits
from. The Method Resolution Order is not easy to understand in more
complex scenarios. Can you guess the following output:

class First:
pass

class Second:
pass

class Third:
pass

class Fourth (First, Second):


pass

class Fifth (Second, Third):


pass

class Sixth (Fifth, Fourth, Third):


pass
print(Sixth.mro())

The diagram of this relationship:

Here is the output (please try and guess the output):


Why did the MRO visit the Sixth then the Fifth and not the Fourth class in
the figure above? Well, because for MRO, the order we are passing the
classes is important. Look at the last line of code:

class Sixth(Fifth, Fourth, Third):

From the code above, the order starts with Fifth, then Fourth, and then Third.
But from the figure above, we can see that it starts with Sixth, then it goes to
Fifth and Fourth, but instead of going to Third, it goes directly to First,
Second, and finally Third. This is happening because of one algorithm the
MRO uses called Depth First Search but this is a more advanced concept
and it’s not in the scope of this book. The algorithm for MRO is not the same
one that was used in the previous versions of Python.
Summary
This chapter was packed with information and new concepts. I know this
was the hardest chapter so far for some of you. My recommendation for you
is to not get discouraged because I can assure you if you keep practicing
and reading, you will learn all of the OOP features. Take your time, read
some of the sections again and never give up. Let’s get ready for our new
chapter called modules and I promise, the hardest features are already
covered.
Chapter 8
-Phyton – Modules andPackages
In this chapter, we will learn all about Python modules and packages. A
Python module is simply a file that contains Python code. Inside a module,
we can define classes, functions, and variables. In a module, we organize
related code. So far, we have organized and grouped the code in a few
different ways. The first way is to use files so here are a few of the files I
have created in the previous chapter:
Organizing the code into different files is one way but we can organize the
code into functions as well. As you know, the functions in Python are
treated as single units or blocks so we can call and run them when we want.
The third way to organize the code is to use classes. The classes are
blueprints or templates from which we can instantiate or create objects.
Python has provided us with different ways to organize and group related
code. In the next section, we will talk about how we can use modules to
organize and group the code.

Why We Need Python Modules?


We need modules because we want to split large code into meaningful
smaller sections. The classes, functions, and files are not a solution if we
want to write a complex program. That is why we need modules. So, what
is a module? A module is a single Python file ‘.py’ where we have code.
We use modules to divide the code into multiple related files. In my
PyCharm IDE, I will create a couple of files that will help me to explain
how the modules work. First things first, let’s create a new project called
chapter5 (if you are trying this on your own, you can name your folder
whatever you like). So how can we create a new project in PyCharm? Easy,
go to the menu and select file > New Project:

After you have created the folder, you will have a directory called venv,
you don’t have to worry about what it does and what it means at this stage:
When you create new files or modules as we now call them, you should not
create them inside the venv folder but outside in the chapter5 directory.
Let’s create a file called main.py:

Here is the new file now:


We can repeat the same step and create another Python file called utility.py.
Now our chapter5 folder looks like this:

The two files that we created are modules, main.py is the first module and
utility.py is the second module. When we are creating the module names,
we need to use the snake_case syntax just as we did for the variables. This
means that if the module name consists of two words, we need to use an
underscore between them. All of the letters should be lowercase:
my_file.py

In the utility.py module, we can write some basic math functions and the
main.py module is the one that will call and use these functions. Let’s write
a few simple math functions in the utility.py module first:

What is the purpose of my main.py module? Well, I want to use the


functions defined in the utility in the main.py module. The question is how
can I connect both of them? In Python, we can use the keyword ‘import’
when we want to import a file. In the main.py file is where we import
syntax:

As you can see from the figure above, I didn’t include the extension ‘import
utility.py’ because it is assumed that the module is a Python file. If we print
the utility, what do you think will be the output:
import utility
print(utility)
Output:

As you can see, it will print the actual file path of the utility.py file. It
would be a different path if you are trying this on your machine, or if you
are still using ‘replit’. It will provide you with a different path because that
website will generate a path for you. Now our files/modules are linked and
we only need to use the dot syntax to start using the functions:

As you can see, whatever we have declared in the utility module is now
accessible in the main.py module. Let’s do some basic maths calculations
using the functions from the utility file:
The output is:
What if I have a very big project with a lot of files that I need to import?
Well, you can do multiple imports in the main file like this:

import utility
import utility1
import utility2
import utility3

Python Packages
Imagine that our project is getting bigger and every day we add new
functionality and we want that functionality to be included in a separate
folder or package. In Python, we can create new packages if we do right
click on chapter5 and then select New > Python Package and name the
package ‘exponents’ (you can use a different name if you want to):
As you can see, we can even create a package and even a new directory, but
let’s select the package:

Inside the chapter5, we have created a package called exponents, and


inside, there is a file called __init__.py. This file will be empty if we open it
and it came with the package we created. In this exponents folder, we need
to create a new file called pow_of.py.
In this file, I will add one function that will calculate the power of two:

Let’s try to import pow_of inside the main.py file with the import syntax:

Now let’s print the following code:


pow_result = pow_of.pow_fun(num1)
print(pow_result)

The output will be:

As you can see, the module cannot be found. Why we are getting this error?
The package we created called exponents maybe look like a normal folder
or directory but it’s considered a package. The package is on a different
level from the rest of the modules like main and utility. Therefore, the files
from this package can be imported into Python like this:

import exponents.pow_of

Before we do anything, let’s print this and check out the output:

print(exponents.pow_of)

The output will be a path to the file pow_of located in the package
exponents (if you try to run the same example on your computer, the path
will be different):

Finally, let’s check if the function we have declared in the pow_of module
can now be accessed in the main file:
print(exponents.pow_of.pow_fun(num1))

Output:

It looks like everything we have done is working because we got the result
36 and 6 raised to the power of 2 is exactly 36. Okay, now, let’s talk about
the __init__.py file that was created for us when we created the package. If
you are using replit.com, you will not have this file because the website
usually hides these kinds of files. Why does Python create this empty file?
This file is created because it will tell Python that this is a package from
where you need to import files.

Import modules using from-import syntax


In this section, we will learn different ways we can import modules. Let’s
create another package inside the existing ‘exponents’ package called
‘extra_functions’:
In the extra_functions, we can create a new file called modulo_fun.py and
inside this file, we can add this function:

def modulo_fn(num1, num2):


return num1 % num2

And let’s call this module in our main.py module using the import statement
that we learned before:

import exponents.extra_functions.modulo_fun

As you can see, the import line is getting longer and it doesn’t look nice.
Let’s try to use the module_fn in our main.py file:

import utility
import exponents.pow_of
import exponents.extra_functions.modulo_fun

num1 = 6
num2 = 3
print(exponents.extra_functions.modulo_fun.modulo_fn(num1, num2))
This is how all of the files are connected:

So instead of calling (package_name.package_name.module.function), we


can do something like this:

from exponents.extra_functions.modulo_fun import modulo_fn

And now the modulo_fn can be used directly in the main.py as it was
declared there:

print(modulo_fn(num1, num2))

What will happen if there are multiple functions in the module that we want
to import? Let’s rewrite the import utility statement to this:

from utility import sum_fun, divide_fun, multiply_fun


As you can see, we listed all of the functions, separating them with commas
and we can call these functions from the main.py module like this:

print(sum_fun(num1, num2))
print(divide_fun(num1, num2))
print(multiply_fun(num1, num2))

The syntax is very simple as long as we follow the from-import rule:

from module_name import things

But if we want to import the entire module and use the module like before
to access its functions, we can simply do this:

from exponents.extra_functions import modulo_fun

This approach is better when we want to avoid name collisions. What does
name collision mean? This means that we can have a function with the
same name in different modules and when we import them using the last
approach, it will not create a name collision.

Import modules using from-import * syntax


There is another way we can import everything that we have in a module
and that is if we use the star at the end. Let’s create a new file which will be
a copy of the utility.py file and call it utility1.py:
As you can see, I have changed the function names as well to avoid any
naming collision, and let’s test this syntax now:

from utility1 import *

The star at the end means import everything from the utility1 module and
now you can call the functions from this module like this:

print(utility1.sum_fun1(num1, num2))
print(utility1.divide_fun1(num1, num2))
print(utility1.multiply_fun1(num1, num2))

There is no one rule of import syntaxes you must use, just go with the one
you are most comfortable with.

Python Module alias


Let’s look at how we can use aliases in Python to import a specific module.
In order to show you this, I will create another module with a long and
unusual name ‘unnecessary_long_module_name.py’:

As you can see, I have only one function there to greet the user. Now we
can import this function using the well-known from-import syntax:

from unnecessary_long_module_name import greet

Or we can make it shorter and more meaningful if we create an alias like


this:

import unnecessary_long_module_name as long_module

Instead of the name long_module, we can even use one letter like ‘u’ and
make it even shorter. Now let’s see if we can use the greet() function:

print(long_module.greet('Kevin Hart'))

If we run the main module, we will get:

Hello Kevin Hart

By doing this, we can definitely create custom names that will avoid
naming collisions.
Python __name__
I think now it’s the right time to explain what double underscore __name__
means. If you haven’t seen this code so far, double underscore name
(__name__), I can assure you that one day you will find this piece of code
and use it. So, what is Python variable __name__? This variable with two
underscores before and after the variable name has a special meaning for
Python when it comes to modules. To show what it means, I have made a
copy of the previous modules and created a new folder called chapter5.1.
Inside this folder, there are the utility.py and pow_of.py where I have added
at the top the following code: print( __name__):

Now when I run the main.py, I get the following output:


This is printing back the names of the modules because the Python
Interpreter starts working from our main.py file and from there it calls the
rest of the modules. Each time the Interpreter visits a file outside the main
file, it will run that file and it will be stored in the memory, including the
name of the module. This is efficient because in the main.py file we can do
multiple calls to the functions that belong to external files and the
interpreter will not run the utility or pow_of file over and over again,
instead, it will take them from the memory because it has direct access.
What do you think will happen if we try to print the name of the module
directly in the main.py file?

print(__name__)

The output will be:

__main__

Let’s change the main.py file name to main_file.py. All we need to do is


right-click on the main.py file and then select Refactor > Rename:
After you rename this file let’s run the main_file.py:

As we can see from the figure above, the name of the file is still __main__
not main_file, but why is this? In PyCharm, when we want to run the code,
we usually click the RUN button and it will ask which file we want to
execute. The file we are selecting will be the main Python, and that is why
the __main__ was printed because the current file we are running is the
main file regardless of what name it has. Now let’s discuss this famous line
that you will see:

if __name__ == '__main__':

This if-statement will be true only if this line is located in the main file, it
will not work in the utility or any other files that are not main. We can now
wrap the rest of the code like this:

This means if the file we are running is the main file in Python, the indented
code will be executed.

Python Built-in Modules


It is time to learn about Python built-in modules. There is a huge list of
these built-in modules if we visit the official Python documentation:

The figure above is just a tiny screenshot of the documentation that lists the
modules, and we don’t have to remember all of them, but we need to get
familiar with what Python offers so we can use these built-in features when
we need them.
The link to the documentation:

https://docs.python.org/3/py-modindex.html

Python built-in modules are loaded automatically as the shell starts. We


have seen the Python built-in functions but we have such functions in the
modules as well, we just need to know how to import them. Why do you
need Python built-in modules? Imagine you want to create an application to
send emails to a list of customers, you can check if this type of module
exists so you can use it and finish your project very fast instead of trying to
code the entire application from scratch. These modules come with the
installation of Python but we need to import them if we want to use them in
our code. For example, so far, we have created simple math functions but
there is a module that deals with complex mathematical calculations so we
can use these functions without creating them. The module is called ‘math’.
In other programming languages, these built-in modules are known as
libraries and they do the same thing. We can actually see these modules
when we create a new project in PyCharm. In your project, click on the
External Libraries list:

You can also find them if you can navigate to ‘python 3.10 library root.’
Yours might be a bit different, but click on it and it will expand and give us
a list of installed packages and modules. As an exercise, let’s import some
of the existing modules like the math module, and try to print where it
comes from:
From the figure above, we can see the actual path where this module is
coming from. Another way to display the list of the available modules is to
use the help command:

help('modules')

Here is part of the modules list:

Back to the ‘math’ module, if you are interested to know what functionality
this module offers, we can use the help keyword again and provide the
name of the module as an argument like this:

help(math)
The help(math) will give us a complete picture of what is in this module. If
we are interested in knowing only the methods in this module, we can use
the dir() function:

print(dir(math))

Here is the entire list:

Let’s use some of these methods, for example, the log()that will return the
natural logarithm of different numbers:

print(math.log(2.35657))
print(math.log(3))
print(math.log(1))

The output will be:

0.8572071720115416
1.0986122886681098
0.0
We can even use the math.pow() method so it will return the value of x
raised to the power of n.

print(math.pow(3, 3))

Output:

27.0

And finally, let’s find the square root of a number:

print (math.sqrt(9))
print (math.sqrt(25))
print (math.sqrt(16))

Output:
3.0
5.0
4.0

The biggest reason why Python is a great


programming language

So far, we have learned how we can create modules and packages, and how
to import these modules from the packages as well. In the previous sections,
we learned about the built-in library of modules that comes installed with
Python. But there is one more thing I want to mention that makes Python
one of the greatest languages ever. These are the millions of python
modules that are created by various Python developers and shared so we
don’t need to waste time creating them. These modules can be downloaded
and imported into our projects because they are developed by the Python
community. Python developers from all around the world created different
modules that we can use. How can we use other developers’ code? You can
use the ‘pip install’ command that will enable you to use these modules and
pieces of code in your projects in seconds. But where I can find and read
more about what other developers created and shared? There is a specific
website called ‘pypi.org’ that is Python Package Index. PyPi is a repository
of software for Python programming languages that helps us to find and
install software that has been developed by the Python community. Here is
the link and screenshot to the actual Python Package Index (PyPi):
https://pypi.org/

At the moment, we have 611,137 users and over 390,352 projects, and these
numbers will only grow in the future. This shows you the real power of
Python. For example, if you want your website to be faster and all the
images to be optimized, you can search if something like that exists in pypi:
You will probably have a list of different projects and all you need to do is
find a package that suits your project and install it. Not all of the packages
will be suitable and maintained regularly so you need to decide on which of
the packages is the best fit for your project. I have shown you these two
websites (Python Module Index Documentation and PyPi) so you can find
modules and packages that will help you build your program faster.

Install Python Packages using PyPi repository


We know that PyPi is a repository website where we can find, install, and
even publish Python packages. Just to give you a demonstration of how to
find and install a package using PyCharm, I have done a very simple
Google search and I have found something very interesting. The package
that we will install is funny but useless, meaning it will only tell us Python
jokes and nothing else. There are multiple packages like this on Google.
When you type Fun/Weird Python Packages, you will find very interesting
packages and experiments. The package that we are going to install is called
pyjokes. Let us open the website pypi.org and search for the project called
pyjokes on the search bar like this:

This will list all of the projects but make sure you click on the one that says
‘One-line Jokes for programmers (jokes as service)’:
As you can see, the pyjokes had a couple of versions and at the moment the
latest version is 0.6. If you open this package, you can find additional
information:

From this page, you can read more about this project, how to install the
pyjokes module with pip, and how to use it. You can download the files if
you want, or visit the GitHub page. GitHub is like a Facebook (meta) or
Twitter for programmers. It’s a social network where you can upload your
work so the other developers can clone and download it. You can also see
some statistics, for example, how many people liked your project (there will
be stars) or how many people forked and used your code in their own
projects. There are different ways we can install this package/module, and
first I will try to show you how you can do it with PyCharm. I have created
a copy of my previous projects and I called it ‘chapter5.3-packages.’ If you
are trying this on your own, you can name your project whatever you want.
Now let’s go to the menu and select PyCharm>Preferences and Select
Project: and then find and select the Python Interpreter:

As we can see on the right side, we have a few packages already pre-
installed like pip and setuptools so all you need to do is locate the plus sign
where you can add or search for a new package, in our case, the package we
need to install is pyjokes:
Make sure the right package is selected and click on the button that says
Install Package. After the installation, you will get a message saying you
have successfully installed the pyjokes package. We can confirm this if we
go back to the Python Interpreter where you could see if the package is
listed:
The package will also be in the External Libraries > Site Packages >
pyjokes:
Let’s now read the quick description on the PyPi website and there it says
we can access the jokes if we first import the pyjokes and then use some of
the two functions (get_joke or get_joke):

As you can see, we can install packages easily with PyCharm but this is not
the way most developers install packages. Another, more professional way
to install packages is to use the terminal or Command Prompt. On my
Desktop I have created a folder called chapter5.4-packages and I have
opened it with VS Code editor and created a file inside this folder called
test.py:
The test.py file is empty for now but let’s add the pyjokes code from
PyCharm:
ModuleNotFoundError because the pyjokes package was installed for the
PyCharm IDE only and we can’t use it everywhere. So how can we fix this?
Well, if we go back to pypi.org we can see there is a pip command to install
packages using our terminals or command prompt:
Copy the command ‘pip install pyjokes’ and open the terminal or command
prompt. If you forget some of the terminal commands, I suggest you go
back and read that section again. Instead of using the built-in terminal in VS
Code editor, I will use the machine terminal and check the current directory
using the ‘pwd’ command:
Now I need to go to the Desktop and in the ‘chapter5.4-packages’ folder
where my test.py file is:

As you can see, we are in chapter5.4 folder. Let’s list all available files
there:

The test.py file is the only file I have in the folder chapter5.4-pakcages.
Finally, we can check the pip version. When we installed Python on our
machines, it also installed the pip. Let’s check the pip version by typing pip
-V, and based on your machine this might work or might give you an error
like this one:
If this is the case, we can type pip3 -V and now we should get the right
version:

For me, this means I can install pykokes using the pip3 instead of the pip
command (pip3 install pyjokes):

After you run the ‘pip3 install pyjokes,’ you should get the following
message ‘Successfully installed pyjokes.’ We can also upgrade package
versions as well. As you can see, I have some warnings in green color
alerting me that there is a new version of pip available:

pip install --upgrade pip

In my case, I need to use the following command:

pip3 install --upgrade pip

As you can see, after I run the pip3 install command, I have the following
window:
Let’s now test if the package pyjokes is actually working and for this, we
can use the built-in terminal in VS Code or the machine terminal. I will
show you both ways, here is the terminal output:

If we go back to the VS Code editor and use the built-in terminal, you
should have this output:
VS Code terminal is working as well and that is basically what I wanted to
show you about how to find, install, and run packages from the Python
Package Index website. Finally, if you want to uninstall some of the
packages you have already installed, you can use the command pip3
uninstall and the name of the package. For example, if you want to uninstall
the previous package completely you can use one of the following
commands:

pip uninstall pyjokes

Or if you are using the pip command only:

pip3 uninstall pyjokes

If for some reason you want to install a specific version of a package, you
can also do this from your terminal as long as you know the version
number. Most of the packages will have a different number like the pyjokes
have 0.6.0 and this is called versioning because each new version will bring
something new, maybe some bug was discovered in version 0.5.0 and they
rectified and updated it in the new version 0.6.0. Therefore, the version
numbers mean something, they are not just random numbers. If you need to
install a different version of the package, you can do it like this:

pip3 install pyjokes==0.5.0

This will install the previous version of pyjokes. You can also list all of the
packages installed using the following command:

pip3 list
Summary
This chapter was one of my favorites because we learned a lot about
modules and packages. I hope by now you see the real power of Python
because it doesn’t matter how great a developer or programmer you are, it
will be super hard to shine if you don’t have a backup from your
community. In the next chapter, we will focus on reading and writing to
files.
Chapter 9 Working with Files
inPython
In most programming languages, you will find the phrase FILE I/O, but
what does it mean? The letter ‘I’ stands for input and the ‘O’ stands for
output. In this chapter, we will cover how we can work with files in
Python. Python has several functions for handling files like open, write, and
read. The key function for working with files in Python is the open()
function so let’s start with it.

Open
In this chapter, I will use the VS Code editor instead of the PyCharm
because I want you to have a book that uses both development tools. I will
create a folder on my desktop called ‘chapter6.1-files’ and inside I will add
two files, the first one will be a Python file called main.py and the second
will be a text file called text.txt file:

As you can see from the figure above, the text.txt file contains the simple
text ‘Hi there!’ and the main.py file is empty for now. The idea is to use the
text.txt file and open it from our main.py file and if you want to do this, you
can use the open () function that is built-in Python:

Here we will use the function open that takes one argument. The argument
is the file name and we need to pass it as a string or in quotes (single or
double). Whatever the function open() returns, the result will be stored in a
variable called text_file. Let’s run the main file and print what we have in
the text_file (I will use the VS Code terminal):

The output is the following:

<_io.TextIOWrapper name='text.txt' mode='r' encoding='UTF-8'>


We can see that we have an IO object called TextIOWrapper, and then we
have the file name, the mode ‘r’ (we will learn what this means), and
finally, the encoding which is UTF-8. The encoding tells us how the file is
encoded. The goal is to read the content of this file, and luckily for us,
Python gives us the function to read called read():

As you can see from the figure above, we can click on the triangle to run
the code instead of typing in the terminal python3 main.py. Regardless of
how you execute the main.py script, you will have the same output, but be
careful, we can read the file only once because of the open() function.
Python treats the open function as a cursor, therefore if you want to read the
same file multiple times, you will run into some problems. Okay let’s test
this and call the read() function multiple times:

print(text_file.read())
print(text_file.read())
print(text_file.read())
print(text_file.read())
If you run the above code, only the first read function will work and will
produce an output, the rest of the read functions will not produce results.
This means that the contents of the file are read as a cursor, one character at
a time, and at the end of the first read(), the cursor will reach the end of the
file. We can fix this if we use the seek() method where we can pass the
index which will determine the position where the reading should start. If
we want to start from the beginning, the index should be zero:

If your text.txt file has multiple lines of content and you need to read the
first line only, you can use the method called readline(). Let’s add a few
more lines in the text.txt file and test this readline() method:
Let’s call the readline() method:

If you need to read all of the lines, then you can use the method called
readlines() but this method will return a List data type with all of the lines
from the file. The list will also include the newline character ‘\n’ that we
use to create a new line. Let’s use this method and check the output:
As a good practice, we need to close the file at the end because you might
want to use it somewhere else so it’s a common practice to close the
file/files that are opened. To do this, we can call the close() method:

text_file.close()

In the next section, I will teach you another way to open and close a file
using the ‘with’ statement.

Write and Append to Files


In the previous section, we saw how can we open files, read from them
using some methods, and finally we had to close them so they can be used
again. Today there is a much nicer way of doing I/O in other to avoid
closing the file manually. This new way of opening and closing the files can
be achieved using the ‘with’ statement. I will duplicate the main.py file and
rename it to main1 so I can show you the new features from this section.
Let’s open the text.txt file using the with statement:
As you can see, I don’t need to close the file at the end using the ‘with’
statement. This is what developers are using today.

Write to a file
Remember at the beginning of this chapter when we printed the file, we had
access to the mode=’r’:

<_io.TextIOWrapper name='text.txt' mode='r' encoding='UTF-8'>

The mode =’r’ stands for reading and we can even specify the mode
directly into the ‘with’ statement like this:

with open('text.txt', mode='r') as new_text_file:


print(new_text_file.read())

The ‘r’ is the default parameter, we don’t need to specify it, but if you are
interested in writing to a file, we need to use the mode=‘w’, where ‘w’
stands for writing into a file. If we change the mode to write and run the
same file, we will end up with an error because we are trying to read from a
file but the mode is set to write:

Before we fix this problem, please check if your text.txt file content is
there. Well, the text file would be empty because we tried to write to a file
without specifying what needs to be written and that will delete the existing
content, therefore you must be careful when you are using the write mode.
What if you want to read and write in the same file? We can use the
mode=’r+’ if we want to read and write. Okay let’s write some content back
to a text.txt file first:
If we open the text.txt file, we can see that we have successfully written the
new content:

This works perfectly but let’s do some further tests, for example, I don’t
think the content is good enough and I want to write a new text and
overwrite the previous one. I can just simply do this:
Let’s open the text file and check if the new content ‘Hi readers!’ has been
added:

As you can see from the figure above, we have the new content plus some
bits of the old content as well. Why is this happening? The reason this is
happening is because the ‘with’ statement will reset the open() method or
will close it for us so the cursor will be back at zero index and we actually
add the content at the beginning of the old existing one.

Append
When we want to add text or content at the end of the existing content, we
can use the append mode. All we need to add is the letter ‘a’ in the mode
like this:

mode='a'

For example, let’s append the text ‘I love Python’ to the existing file:

with open('text.txt', mode='a') as new_text_file:


content = new_text_file.write('I love Python!')

And if we open the text.txt file, the text should be added at the end:

As an exercise, copy the main1.py file and create a new file called
main2.py. I would like you to experiment a little bit. In the open() method,
instead of loading the file text.txt, try using a file that does not exist in your
directory/folder, for example, use a file called ‘file.txt’. After you have done
everything, run the file and observe what will happen. Here is how the
main2.py file looks before I click on the run button :
If I run the main2.py file, this will be the output:

As you can see from the figure above, a new file called file.txt was created
with ‘I love Python!’ as content. The big question is why this happened. We
tried to write to a file that doesn’t exist, so the open method will try to find
this file but because it can’t it will create a new file for us and add ‘I love
Python!’. Let’s delete the ‘file.txt’ and change the mode to append and run
the file again. The result will be identical for both modes. Finally, let’s
delete the file.txt and use the read and write mode=’r+’ and run the file,
what do you think will happen? Here is the output:
From the figure above, you can see that no file was created and we got the
FileNotFoundError. This is happening because we are trying to read from a
file that doesn’t exist.

File Paths
In this section, we will discuss the importance of file paths. The paths are
very important and they can get complex sometimes because the files we
are trying to open/load/read are not always located in the same
level/directory as the main file. So far, our files (main.py, main1, main2,
text.txt, file.txt) were located in the same folder but we cannot expect to
have all of the files like this in the same directory or folder. Let’s create a
folder inside the chapter6.1-files and call it ‘scripts’:
Inside this folder, let’s create a file called readme.txt where we add the
following simple text:

Great! Now let’s create a new main3.py file and try to open the readme.txt
file like we have done it so far:
As you can see, we are trying to open a file that does not exist at the same
level as the main3.py file. That is why we are getting the FileNotFound
error. The easy solution is to list the directory name in our case ‘scripts’ in
the actual path and add a forward slash before the file name. I know this
sounds confusing and difficult but here is what you need to write:

with open('scripts/readme.txt', mode='r') as new_text_file:


print(new_text_file.read())

If you run the main3.py file after we specified the correct path to the file,
you will get the output we wanted:

File Paths Read Me!

Sometimes for Windows users instead of a forward slash, we need to use a


backslash like this to load the correct file:

with open('scripts\readme.txt', mode='r') as new_text_file:


print(new_text_file.read())
This is known as the relative path. There is another path known as the
absolute path and for us to find out the absolute path where the files are
located, we can open the terminal or use the built-in VS Code terminal and
type the pwd command or cd for Windows:

As you can see, my absolute path will be ‘/Users/rick/Desktop/chapter6.1-


files’ and instead of using the relative path, I can use the absolute path (your
path will be different from mine):

If you run the file with the absolute path, you should have the same output.
The absolute path is not that common compared to relative paths because
they are nicer and shorter to write. As a developer, you will see this relative
path:

with open('./scripts/readme.txt', mode='r') as new_text_file:


print(new_text_file.read())

The dot and forward slash at the front means start looking from the current
folder and that is what I have always used when I’m dealing with the file
paths. Another important syntax is double dots and forward slash which
means move up one directory from the current directory:

with open('../scripts/readme.txt', mode='r') as new_text_file:


print(new_text_file.read())

This will mean look for a folder called scripts that is outside the
‘chapter6.1-files’ current directory. In order for this to work, I will drag and
drop the scripts folder from chapter6.1 to desktop like in the figure below
and use the double dots forward slash to load the file:

Let us run the main3 file and read the content :


In Python, since version 3.4, we have something called pathlib which
stands for Object-oriented filesystem paths. This library will allow us to
manipulate the paths so we can use the same path syntax on every operating
system. You can read more about pathlib and how to use it from the official
python documentation:

https://docs.python.org/3/library/pathlib.html

Try – Except block for error handling


Try – Except block is perfect to catch and handle errors that can occur
during the I/O operations. Whatever code you want to test should be
wrapped inside the try-block and the except block is where you catch and
handle the errors if any. In JavaScript, we have the try-catch block and it
uses the exact same logic. The same concept is in many other programming
languages. I have created another folder called chapter6.2-errors and inside
I copied the readme.txt file and main.py file. Now let’s try out the try-
except-block:
As you can see, we have everything indented correctly and inside the try-
block is where we will always put the code we want to test or try out, and in
the except block is where we will catch the errors and so far we have seen
the FileNotFoundError when the file we were trying to open does not exist.
Here is the complete code because sometimes the images can get blurry:

# try - except block


try:
with open('readme1.txt', mode='r') as new_text_file:
print(new_text_file.read())

except FileNotFoundError as err:


print('File cannot be found!')

If we run this file, the Interpreter will see that we have a try-except block
and it will go inside and try and run the code. If we look at the open ()
method, we can see that the file readme1.txt doesn’t exist in the current
directory but the readme.txt file exists. There will be an error thrown in the
try-block and that error will be handled by the except-blook where we just
print the error message. Python comes with pre-defined default error
messages for different types of errors. Now if we want to access the default
error message, we can use a variable that is declared after the ‘as’ keyword
(err). Think of this variable as a container for storing the default error
message and instead of printing the custom message we can print the ‘err’
variable. We can name this variable differently if we want:

# try - except block


try:
with open('readme1.txt', mode='r') as new_text_file:
print(new_text_file.read())

except FileNotFoundError as err:


print(err)

Let’s try to run the code and observe the output:

As you can see, whatever we put in the except block was printed because
there was an error opening and reading this file. There is something else
that can be done in the except block and that is to raise the current error like
this:

# try - except block


try:
with open('readme1.txt', mode='r') as new_text_file:
print(new_text_file.read())

except FileNotFoundError as err:


print('File cannot be found!')
raise err

The output now will be slightly changed and more informative:


Another usual error that occurs is the IOError. This error can occur during
any of the modes, like reading and writing to a file. Any problem
performing the IO operations will throw this error:

# try - except block


try:
with open('readme1.txt', mode='r') as new_text_file:
print(new_text_file.read())

except FileNotFoundError as err:


print('File cannot be found!')
raise err
except IOError as err1:
print('IOError!')
raise err1

Other common errors in Python are:


ImportError – This error is raised when the import statement fails to
fetch the module
IndexError – This error is raised when a sequence (list, tuple) index is
out of the defined range
TypeError – This error is raised when we try to use operations or
functions to an object from a type that is not appropriate
NameError – This error is raised when the local or global name
cannot be found.
KeyError – This error is raised when we try to access an item from a
dictionary with a key that cannot be found

This is how we can handle different errors and I hope that you have now
learned how to handle any error you might get when working with files.
Summary
Congratulations! We have learned a lot in this chapter. I’m confident that
now you can perform any of the I/O operations and handle the errors using
the try and except block.
chapter 10 Error Handling
In this final chapter, we will learn how we can handle errors that we might
get in our code. Being a programmer is challenging, not because of the
amount of code you need to write, but because you need to write good
quality code without errors. Code without errors is something we should
always strive to achieve, but I will tell you this, it’s not that simple and
errors can occur anytime. The key point is what we need to do after we
have identified those errors and what mechanism we should use to handle
them so we can avoid breaking our program. Let’s start learning how to
deal with these errors.

Errors in Python
In our code so far, we have seen few errors and I have made those errors on
purpose because you should not be afraid of them. The most important part
is to learn what they mean and after you identify their meaning you need to
take appropriate actions to handle them. For example, the most basic print
function if not written properly will throw us an error:

# 1 SyntaxError

print(')'

If we run this file:


As you can see, we have a SyntaxError because we haven’t closed the
print function as it should. Another everyday error that can occur is the
TypeError that is raised by the Python Interpreter because we are trying to
use two different data types that are not compatible with each other:

# 2 TypeError

print(1 + '2')

The output:

Another error that you might get is called the name error (NameError). I
have listed these errors in the previous sections but let me give you another
example:

# 3 NameError
result = 1 + two

As you can see, we are trying to calculate the integer value with a variable
that is not being defined. The output:

The index error is an error that is common when we have a list data type
and we try to access an element with an index that is out of the list range.
Example:

# 4 IndexError
list_ob = [1, 2, 3, 4]
print(list_ob[3])
print(list_ob[4])

Output:

Similarly, we can do innocent mistakes when working with dictionaries.


Usually, it can happen that the key we are trying to access from a dictionary
is not there. This will raise KeyError and here is one example where we
misspelled the ‘model’ keyword:

# 5 KeyError
car_dict = {
'car': 'Ford',
'model': 'Mustang',
'engine': '5.0',
}

print(car_dict['car'])
print(car_dict['Model'])

Output:

From the figure, I have used the key ‘Model’ instead of the key ‘model’ in
all lowercase letters. This will throw a KeyError because there is no key in
the dictionary named ‘Model’.
The next error is called ZeroDivisionError and this will happen when we try
to divide a number with zero, and for some of you, this might be funny but
believe me, these errors can happen more frequently than you think:

# 6 ZeroDivisionError

print(3 / 0)

The error will be:


You can read about the different types of exceptions and what they mean if
you visit the following Python documentation:

https://docs.python.org/3/library/exceptions.html

These errors will crash our program and will not let the rest of the code
finish its execution. At the moment, we have few lines of code and if the
error happens in the first line, the code below will never be executed like in
the following example:

print(1 + '2')

if 5 > 3:
print('5 is bigger than 3')

Although the if statement condition is true, the second print will never be
executed because the error that will halt our program happened in the first
line. The errors that will stop our code from execution are known as
exceptions. The Interpreter will go line by line and when he sees this kind
of problem, it will raise an exception causing the program to stop. This is
why we need to learn how to handle errors.

Error Handling
This mechanism will allow us to continue executing the Python script even
though there has been an error somewhere. To explain the error handling, I
will create another file and prompt the user to enter their date of birth:
# Error Handling

dob = input('Enter year of birth')


print(dob)

If we enter 1999 and press return or enter, we will get the output we
wanted:

As you can see, the program worked just fine, but let’s run it again and this
time enter a text/string instead of a number:

It worked perfectly for strings as well but is this the output we wanted? The
answer is no because we wanted to get the year as a number and maybe
later, we can do some further mathematical calculations, for example,
calculating if you are eligible to get a driver’s license. So, what is the
solution? We can convert the input into integers and by doing this, we will
always get integers as output not strings:

# Error Handling

dob = int(input('Enter year of birth: '))


print(dob)
If we run this code with an integer, there will be no problems but if the user
inputs a string again, this is what we will get:

From the figure above, you can see that our code is now throwing a
ValueError and this is not what we wanted. Just as in the I/O chapter, we
can use the try-except block to handle errors. We put the code that needs to
be executed in the try block but if there are any errors, the except block will
handle them. Make sure you are using the correct indentation:

# Error Handling
try:
dob = int(input('Enter year of birth: '))
print(dob)

except:
print('You have entered invalid value, please'
' enter a valid number!')

Here is what will happen if the user inputs a string instead of a number:
As you can see from the figure above, we didn’t get the error that will block
and terminate the entire program, instead, we are notifying the user what
he/she has done wrong and what he/she needs to do next. Now even if the
user makes a mistake, the Python interpreter will continue its work and
execute the rest of the statements. Let’s add a new print function after the
try-except block and confirm that the program will continue its normal
execution:

Great! No more red errors in our console but our code is far from perfect.
For example, the user inputs a string, and this error will be caught and
handled in the except block, but if the user wants to re-enter a new number
to fix the previous mistake, he/she will need to run the file again. To fix
this, you can simply use a while-loop and set the condition to True, and
wrap the entire try-except block like this:
# Error Handling
while True:
try:
dob = int(input('Enter year of birth: '))
print(dob)

except:
print('You have entered invalid value, please'
' enter a valid number!')

print('This is printed after while loop!')

If we run the code now and if user enters a string this will happen:

Great! Our logic works! Well, it works but not perfectly because this will
continue prompting the user to enter a value even if the user entered a
number:
We can fix this by adding an else clause after the except block so we can
break from this loop using the break statement:

# Error Handling
while True:
try:
dob = int(input('Enter year of birth: '))
print(dob)

except:
print('You have entered invalid value, please'
' enter a valid number!')
else:
break

print('This is printed after while loop!')


This is the output now:

As you can see, after the user enters a number, the while loop will be over.

Except block
As we saw in the I/O chapter, the except block can accept different built-in
errors and we can print them. Python gives us the option to specify what
types of errors we want the except block to handle. Imagine that after the
user enters the year of birth, we want to find how old the user is by
subtracting the current year from the year of birth. To do this, we need to
use the datetime module that allows us to use dates and times, therefore I
would like you to visit the Python documentation in your free time and go
over the basic functions that this module offers:
https://docs.python.org/3/library/datetime.html

Here is the code:

# Error Handling
from datetime import date
current_year = date.today().year
while True:
try:
dob = int(input('Enter year of birth: '))
print(current_year - dob)
except:
print('You have entered invalid value, please'
' enter a valid number!')
else:
break

print('This is printed after while loop!')

If we run the file and enter 1999, we would get this output (you might get a
different value from 23 based on the year you are reading this book):
This works and now you can even change the except block to handle only
ValueErrors like this:

except ValueError as err:


print('You have entered invalid value, please'
' enter a valid number!')

We can do a lot of calculations in the try block and if any errors happened,
they will be handled by the except block, but in our case, we only asked it
to handle the ValueError errors. Let’s find out if our application can handle
ZeroDivisionError:

# Error Handling
from datetime import date
current_year = date.today().year

while True:
try:
dob = int(input('Enter year of birth: '))
print(current_year - dob)
print(current_year / dob)
except ValueError as err:
print('You have entered invalid value, please'
' enter a valid number!')
else:
break

print('This is printed after while loop!')

I deliberately divided the current year with the year of birth because if the
user now inserts zero (0) as a year, this should raise the ZeroDivisionError:
As you can see, the except block does not handle ZeroDivisionError as we
thought it would, so what is the solution? Well, we can create another
except block to handle ZeroDivisionError like this:

# Error Handling
from datetime import date
current_year = date.today().year

while True:
try:
dob = int(input('Enter year of birth: '))
print(current_year - dob)
print(current_year / dob)
except ValueError as err:
print('You have entered invalid value, please'
' enter a valid number!')
except ZeroDivisionError as err:
print('The age should not be zero!')
else:
break

print('This is printed after while loop!')

If we run the application now and a user enters a zero (0), this should be
handled now by the second except block:

Let’s create another function that will divide two numbers. This is the code
for the division function:

# Error Handling

def div_numbers(a, b):

return a / b
result = div_numbers(10, '2')
print(result)

If we run the function as it is, we will get TypeError because the second
operand we are passing into the div_numbers function is from type string.
To handle this, we can simply use the try-except block directly in the
function:

# Error Handling

def div_numbers(a, b):


try:
return a / b
except TypeError:
print('Make sure the operands are '
'numbers')

result = div_numbers(10, '2')


print(result)

The output will be the print message that tells us that at least one of the
operands we passed into the function is not number:
In the I/O chapter, I mentioned that we can print the built-in Python error
message if we assigned it to a variable and print that variable which will be
the error object itself:

except TypeError as err:


print('Make sure the operands are '
'numbers' + err)

Now if we run the code with the same operands, you will see our custom
print message plus the entire built-in error that comes from Python:
We as developers sometimes need this error message so we can truly know
what is happening because if we have thousands of lines of code, this will
be hard to find, but now from the error message, we can see that the
problem is located on line 5. We can even use the ‘f’ string like this:

except TypeError as err:


print(f'Make sure the operands are numbers {err}')

Let’s save the file and run it again:


Let’s test what will happen if the second parameter in the function is zero:
result = div_numbers(10, 0)
print(result)

This will make the Interpreter throw a ZeroDivisionError:

This means that we need to handle this error but instead of writing multiple
except blocks, let’s do this instead:

except (TypeError, ZeroDivisionError) as err:


print(f'We got an error: {err}')

The output will be:


Here is the entire code now:

# Error Handling

def div_numbers(a, b):


try:
return a / b

except (TypeError, ZeroDivisionError) as err:


print(f'We got an error: {err}')

result = div_numbers(10, 0)
print(result)

Finally block
We have seen the try-except-else block but there is one more block we can
use when we are dealing with exceptions. This block is called finally and it
will run at the end after everything else has been completed. Here is one
example of try-catch-else-finally block:
# Error Handling finally

try:
number = int(input('Enter a number:_ '))
number >= 3
except (TypeError, ValueError) as err:
print(f'Something went wrong: {err}')
else:
print(f'Everything is ok and the result'
f' is {number * 3}')
finally:
print("The try-except block is finished")

If we run this with a string instead of a number, then the except block
should run and handle the errors:
But even in a case of an error, we can see that the finally block is executed
and the message it’s printed. The finally keyword-block is used to define a
block of code that will run when the try-except-else block is finished.
Whatever code we have in the finally block will run no matter what we
have in the previous blocks.

Raise an Exception
Sometimes as a developer, you need to throw an exception if a specific
condition occurs in your code and Python allows us to raise our own
exception using the keyword raise. Please consider the following example:

# Error Handling finally

try:
number = int(input('Enter a number:_ '))
if number < 0:
raise Exception('Enter a number bigger '
'then zero')
number >= 3
except (TypeError, ValueError) as err:
print(f'Something went wrong: {err}')
else:
print(f'Everything is ok and the result'
f' is {number * 3}')
finally:
print("The try-except block is finished")

As you can see in the if-statement, we manually raise an exception with a


message. If we run the same code with -1, this is what we will get:
From the figure above, we can see that the finally-statement is executed at
the end. If we don’t want the error to be like this, then we can list this error
in the except-block by adding Exception:

except (TypeError, ValueError, Exception) as err:


print(f'Something went wrong: {err}')

And if we run the same code again with a value of -1, we will get the
following output:
Great! Now we know how you can raise your own errors or Exceptions.
We can raise any specific built-in Python errors like TypeError if we list
them in the expect block. This is everything I wanted to teach you in this
chapter and you should know that errors are inevitable in any programming
but a good programmer will know how to handle these errors without
crashing the application.

You might also like