Notebooks and Assignments

Please download all the lectures and assignment notebooks of week 1 (Day 2) here. We have also posted a guide video on downloading & accessing materials on our youtube channel.

Learning Tips

We Strongly recommand learning with playing.
We provide notebooks for students to get started.
If you get trouble with learning, please feel free to reach out to us on facebook and email.

Data Types

In python, there are built-in data-types, some of which are described below:

  1. Int (1 ,100, 99)
  2. Float (1.0, 3.14, 2.718)
  3. String ("Myanmar", "Burma")
  4. Boolean (True, False)
  5. Complex (1+0j)
  6. null (None)

To describe the various properties in the real world, we must use different data types.

e.g., if we want to describe a person's name, we could use String.

Int for his/her age,
Float for his/her height in (cm) and
Boolean if he/she is graduated or not.

The main take away from this lecture notebook is to know the differences between data types and their usage.

Four Most Used Data Types

We can store data of different types in variable names. See the example below:

# Int
int1 = 5
int2 = 3

# Float
float1 = 1.
float2 = 3.14

# String
string1 = "Hello"
string2 = 'World'

# Boolean
bool1 = True
bool2 = False

print function is used to print the values of the variable to the output screen.

print(int1)
5

We can check the datatype of the variable by using type function:

type(int1)
int

Arithmetic Operations on Number Data Types

We could do arithmetic operations on Number Data Types (Int and Float) as shown below:

int1 = 5
int2 = 3

# We can add, subtract two elements of 'Int' dtype.
print(int1 + int2) # Addition
print(int1 - int2) # Subtraction
print(int1 * int2) # Multiplication
print(int1 / int2) # Division
print(int1 % int2) # Remainder
print(int1**int2) # Power
print("")

float1 = 1.
float2 = 3.14
# We can also, do operations on `Float` dtype.
print(float1 + float2)
print(float1 - float2)
print(float1 * float2)
print(float1 / float2)
print(float1 % float2)
print(float1**float2)
8
2
15
1.6666666666666667
2
125

4.140000000000001
-2.14
3.14
0.3184713375796178
1.0
1.0

String Operations

We can use '+' operator to concatenate two strings.

# Simple concatenation of two strings

concatenate_string = string1 + string2
print(concatenate_string)
HelloWorld

We can also use f-Strings method for better formating of string.

In f-Strings method, we can insert variables in the string format.

# f-Strings method.
f_string = f"Hello World, welcome to the wonderland"
print(f_string)

string1 = "Hello"
string2 = "World"
f_string_var = f"{string1} {string2}, This is testing the f-Strings"
print(f_string_var)
Hello World, welcome to the wonderland
Hello World, This is testing the f-Strings

Important: One thing to be aware of in Python, we can not add two variables of different data types.
In the example described below, we try to add Int and String data types, which is not possible.

var_a = "Hello"
var_b = 5

print(var_a + var_b)
---------------------------------------------------------------------------
TypeError                                 Traceback (most recent call last)
<ipython-input-22-7f4a263b8c2b> in <module>
      2 var_b = 5
      3 
----> 4 print(var_a + var_b)

TypeError: can only concatenate str (not "int") to str

# Or this
print(int(var_a) + var_b)
---------------------------------------------------------------------------
ValueError                                Traceback (most recent call last)
<ipython-input-23-c93ae652aa67> in <module>
      1 # Or this
----> 2 print(int(var_a) + var_b)

ValueError: invalid literal for int() with base 10: 'Hello'

When converting String to Int, if the value in that String is Int, then we can do addition.

# we could, for example
var_a = "5"
var_b = 5

print(int(var_a) + var_b)
10

Boolean Operation

Boolean includes only two values, True and False.

Note: The capital letter and small letter must be correctly spelled.
eg. true will not work.
Boolean variables are often used in conditional operations, such as if and while.

bool1 = True
bool2 = False

# Check if a varible is True
if bool1:
    print("bool1 variable is True")

# This print statement is not working
# because bool2 is not True
if bool2:
    print("bool2 variable is True")
bool1 variable is True

# Check if a variable is False (not True)

if not bool1:
    print("bool1 variable is False")

if not bool2:
    print("bool2 variable is False")
bool2 variable is False

# We could use AND, OR operation too.

if bool1 and bool2:
    print("Both Variables are True")
    
if bool1 or bool2:
    print("At least one variable is True")
At least one variable is True

Further Resources for Data Types

If you want to learn more about data types and their operations in more details, please visit to official Python documentation. You can also learn more about it in this blog post about Basic Data Types in Python.

Data Structures

Python Data Structures are used to store and collect data. There are four basic built-in data structures in Python.

# Simple Creation of each four types of structures

list_obj = [1, 2, 3, 4, 1, 2, 3, 4]
set_obj = {1, 2, 3, 4, 1, 2, 3, 4}
tuple_obj = (1, 2, 3, 4, 1, 2, 3, 4)
dict_obj = {'a':1, 'b':2, 'c':3, 'd':4, 'e':1, 'f':2}

print(type(list_obj), list_obj)
print(type(set_obj), set_obj)
print(type(tuple_obj), tuple_obj)
print(type(dict_obj), dict_obj)
<class 'list'> [1, 2, 3, 4, 1, 2, 3, 4]
<class 'set'> {1, 2, 3, 4}
<class 'tuple'> (1, 2, 3, 4, 1, 2, 3, 4)
<class 'dict'> {'a': 1, 'b': 2, 'c': 3, 'd': 4, 'e': 1, 'f': 2}

List

The Most commonly used data structure in Python, List, has the following properties :

  1. Element are accessable with order
  2. Mutable (variable values can be changed)
list_height = [170, 172, 174, 160, 178]

print("Heights of student in class...")
print(list_height)
Heights of student in class...
[170, 172, 174, 160, 178]

Access with Index

Note: If we access element that is out of range, it will rasie IndexError as follows

print("Student A height : ", list_height[0])
print("Student B height : ", list_height[1])
print("Student A height : ", list_height[2])
print("Student B height : ", list_height[3])
print("Student A height : ", list_height[4])
print("Student B height : ", list_height[5])
Student A height :  170
Student B height :  172
Student A height :  174
Student B height :  160
Student A height :  178
---------------------------------------------------------------------------
IndexError                                Traceback (most recent call last)
<ipython-input-4-d5a3a372c0b9> in <module>
      4 print("Student B height : ", list_height[3])
      5 print("Student A height : ", list_height[4])
----> 6 print("Student B height : ", list_height[5])

IndexError: list index out of range

IndexError: list index out of range.
Because there are only 5 elements in list, list_height[5] request for 6th element, which is out of range.

Access with Iteration(For Loop)

num_student = 0

for height in list_height:
    num_student += 1
    print(height, end = ',')
    
print(f"\nThere are {num_student} students in the class")
170,172,174,160,178,
There are 5 students in the class

'''
Simple Program:
Convert height information in "cm" to "feet"
'''

# Convert cm to feet
for height_cm in list_height:
    height_feet = height_cm * 0.0328  # cm to feet equation
    print(f"Studnet height : {height_cm} cm {height_feet:.2f} feet")
Studnet height : 170 cm 5.58 feet
Studnet height : 172 cm 5.64 feet
Studnet height : 174 cm 5.71 feet
Studnet height : 160 cm 5.25 feet
Studnet height : 178 cm 5.84 feet

List with different Datatype

We can store, not just one datatype, but variables with different data types in a list.

student_A = ["Aung Aung", "McE", 3, 6]
student_B = ["Soe Pyae", "Civil", 3, 6]

print("Student A Info : ", student_A)
print("Student B Info : ", student_B)
Student A Info :  ['Aung Aung', 'McE', 3, 6]
Student B Info :  ['Soe Pyae', 'Civil', 3, 6]

# But Be Aware, We do not know which element contain what information..
print(student_A[2] + student_A[3])
print(student_A[0] + student_A[1])
print(student_A[1] + student_A[2])
9
Aung AungMcE
---------------------------------------------------------------------------
TypeError                                 Traceback (most recent call last)
<ipython-input-5-b71be46f223e> in <module>
      2 print(student_A[2] + student_A[3])
      3 print(student_A[0] + student_A[1])
----> 4 print(student_A[1] + student_A[2])

TypeError: can only concatenate str (not "int") to str

TypeError :can only concatenate str to str | int to int

This often happen in List when we try to store different data type into one list.
It is hard to get exact index for each element.
For that, in python, we use Dictionary to store key-value paired information.

Dictionary

When we walk into a library to find books, we search the book by its title, author or published year.
Python use the same idea to store value for the varible, by creating the key for that value.
Thus Dictionary in python is key-value paired data structure.

# List
student_A_list = ["Aung_Paing", "McE", 3, 6]
student_B_list = ["Soe_Pyae", "Civil", 3, 6]


# Dictionary
student_A_dict = {"Name" : "Aung_Paing",
                 "Major" : "McE",
                 "Batch" : 3,
                 "Year" : 6}

student_B_dict = {"Name" : "Soe_Pyae",
                 "Major" : "Civil",
                 "Batch" : 3,
                 "Year" : 6}


print(student_A_list)
print(student_A_dict)
['Aung_Paing', 'McE', 3, 6]
{'Name': 'Aung_Paing', 'Major': 'McE', 'Batch': 3, 'Year': 6}

# If we want to get "Name" info for student_A
name_student_A = student_A[0]
print(name_student_A)
print()

# But in dict, we just need to specified it. We do not need to remember the index of that info.
print("Name : ", student_A_dict["Name"])
print("Major : ", student_A_dict["Major"])
print("Batch : ", student_A_dict["Batch"])
print("Year : ", student_A_dict["Year"])
Aung_Paing
Name :  Aung_Paing
Major :  McE
Batch :  3
Year :  6

Tuple

Sometimes, we need immutable data.
For example, Coordinate of a location, your Birthday, your significant other's Phone Number or may be even your gene code.
The data that we want to access but must be changed are stored with Tuple.

home_coordinate = (123, 456)
birthday = (11, 1, 1998)

print(type(birthday))
print(birthday)
<class 'tuple'>
(11, 1, 1998)

# Let's try to access the month with index...
month = birthday[1]
print(month)

# Let's try to change the day....
birthday[1] = 10
1
---------------------------------------------------------------------------
TypeError                                 Traceback (most recent call last)
<ipython-input-11-c728f5c5b1e0> in <module>
      4 
      5 # Let's try to change the day....
----> 6 birthday[1] = 10

TypeError: 'tuple' object does not support item assignment

Thus, we can see the data in tuples cannot be changed

Set

Set as the name suggest, is a set of collection.
Sets ignore the order and the number of elements in a collection and only store the representatives in that collection.

set_obj = {1, 2, 3, 1, 2, 3, 4}

print(type(set_obj))
print(set_obj)
<class 'set'>
{1, 2, 3, 4}

# We cannot access the elements in the set
set_obj[0]
---------------------------------------------------------------------------
TypeError                                 Traceback (most recent call last)
<ipython-input-25-c6b65031723d> in <module>
      1 # We could not access the element in that set.
----> 2 set_obj[0]

TypeError: 'set' object is not subscriptable

Tips

Error
When you encounter an Error in the code, try the following steps:

  1. Stay calm & Read the error message carefully
  2. Copy and paste the error message in google search or stackoverflow.
  3. Ask for help in forums if necessary.

There are more than 8 million python users in the world and it is very likely that someone has encounterd the same problem as you did. So, don't hesitate to search for help.

We can check the specification of the variable by:

set_obj?
Type:        set
String form: {1, 2, 3, 4}
Length:      4
Docstring:  
set() -> new empty set object
set(iterable) -> new set object

Build an unordered collection of unique elements.

Further Resources for Data Structure

If you would like to know more about Data Structure in Python. Please visit official Python cocumentation. You can also learn more about it in this blog post about Common Python Data Structure

Conditionals & Loops in Python

Conditionals

if Statements in Python allow us to tell the computer to perform alternative actions based on a certain set of results.

In other words, we are telling the computer : "Hey if this case happens, perform some action"

We can then expand the idea further with elif and else statements, which allows us to tell the computer: "Hey if this case happens, perform some action. Else, if another case happens, perform some other action. Else, if none of the above cases happened, perform this action"

Let's go ahead and look at the syntax format for if-else cases to get a better idea of this:

# Simple if-else case
rain = False

if not rain:
    print("The weather is fine today, I am going out.")
else:
    print("It is raining, I cannot go out...")
    
The weather is fine today, I am going out.

# Or this way:
if rain==True:
    print("It is raining, I cannot go out...")
else:
    print("Today weather is fine, I am going out.")
Today weather is fine, I am going out.

# sometime, in the program, we have to deal with other conditions
rain = False
weekday = True

if not rain and weekday:
    print("I am going to School Today")

elif not rain and not weekday:
    print("I am going out to play")

else:
    # Rain and weekday
    print("Even though it is raining, I still have to go to school ...")
I am going to School Today

Also, we could check the String and Int variables:

Note: here, when checking if Condition == True, we use == instead of =

# Check String
operation = "add"

if operation == "add":
    print("Add Operation")
    
elif operation == "sub":
    print("Sub Operation")
    
elif operation == "mul":
    print("Multiplication Operation")
    
elif operation == "div":
    print("Division Operation")
Add Operation

# Check Int

int_obj = 10
# int_obj = -1  # Comment out to test
# int_obj = 0
# int_obj = None

if int_obj:
    print("There exists value for that int_obj")
else:
    print("sorry, the input is None or Zero")
There exists value for that int_obj

Loops

There are two main types of loops in python.

  1. for
  2. while

Generally, For iterates for the given range,
While checks the condition and continue iteration until condition is False.

for range():
while condition:

For

A for loop acts as an iterator in Python; it goes through items that are in a sequence or any other iterable item. Objects, that we've learned and we can iterate over, include strings, lists, tuples, and even built-in iterables for dictionaries, such as keys or values.

Here's the general format for a for loop in Python:

for item in object:
    statements to do things

# Loop for 10 times
for i in range(10):
    print(i, end=" ")
    
print()
0 1 2 3 4 5 6 7 8 9 

# Let's access element from list
list_obj = [1, 2, 3, 4, 5, 6, 7, 8, 9]
for obj in list_obj:
    print(obj, end=" ")
1 2 3 4 5 6 7 8 9 

Tuples have a special quality when it comes to for loops. If you are iterating through a sequence that contains tuples, the item can actually be the tuple itself, this is an example of tuple unpacking. During the for loop we will be unpacking the tuple inside of a sequence and we can access the individual items inside that tuple.

list1 = [(0,1),(2,3),(4,5)]
for tup in list1:
    print(tup)
(0, 1)
(2, 3)
(4, 5)

# Now with unpacking!
for (t1,t2) in list1:
    print(t1, end=" ")
0 2 4 

In the above case, the first element of each tuple is printed out.

# Now with unpacking!
for (t1,t2) in list1:
    print(t2, end=" ")
1 3 5 

Here, the second element of each tuple gets printed out.

With tuples in a sequence we can access the items inside of them through unpacking! The reason this is important is because many objects will deliver their iterables through tuples.

Nested For Loop

Nested For, means for loop inside a for loop

nested_list = [[1, 2, 3, 4],
               [5, 6, 7, 8]]

# To access nested list, we could use nested for loop
for row in nested_list:
    for col in row:
        print(col, end=" ")
1 2 3 4 5 6 7 8 

While

The while statement in Python is one of most general ways to perform iteration. A while statement will repeatedly execute a single statement or group of statements as long as the condition is true. The reason it is called a 'loop' is because the code statements are looped through over and over again until the condition is no longer met.

The general format of a while loop is:

while condition:
    code statements
else:
    final code statements

Let’s look at a few simple while loops in action.

# While loop and loop for 10 times.
i = 0
while i<10:
    print(i, end=" ")
    i+=1
0 1 2 3 4 5 6 7 8 9 

x = 0

while x < 5:
    print('x is currently:',x)
    print('x is still less than 5, keep adding 1 to x')
    x += 1
x is currently: 0
x is still less than 5, keep adding 1 to x
x is currently: 1
x is still less than 5, keep adding 1 to x
x is currently: 2
x is still less than 5, keep adding 1 to x
x is currently: 3
x is still less than 5, keep adding 1 to x
x is currently: 4
x is still less than 5, keep adding 1 to x

Notice how many times the print statements occurred and how the while loop kept going until the True condition was met, which occurred once x==5. It's important to note that once this occurred the code stopped. Let's see how we could add an else statement:

x = 0

while x < 5:
    print('x is currently: ',x)
    print('x is still less than 5, keep adding 1 to x')
    x += 1
else:
    print('All Done!')
x is currently:  0
x is still less than 5, keep adding 1 to x
x is currently:  1
x is still less than 5, keep adding 1 to x
x is currently:  2
x is still less than 5, keep adding 1 to x
x is currently:  3
x is still less than 5, keep adding 1 to x
x is currently:  4
x is still less than 5, keep adding 1 to x
All Done!

When the condition isn't true anymore, that is, x is now 5, and so the else statement All Done! is printed out instead.

Further Resources for Conditionals and Loops

If you want to learn more about conditional statements and loops in more details, please visit to official Python documentation. You can also learn more about conditional statements, for loops and while loops in these posts.

Functions

Functions are great arsenal in python.

You could think of functions as a factory, process (do function) the raw inputs (Arguments) to desired products (output). There are two types of functions in Python.

  1. Built-in Functions
  2. User-Defined Functions

Built-in Functions

We've already seen a few example of built-in functions when learning about Data Types in Python. Built-in Functions, come along with python and could be very useful when you need them.

Following are some examples of built-in functions.

int_obj = -5
print(int_obj)

# Find the absolute value
abs_int = abs(int_obj)
print(abs_int)

# Convert Int to String
int2str = str(int_obj)
print(int2str, type(int2str))

# Check the datatype
print(isinstance(int_obj, int))
-5
5
-5 <class 'str'>
True

We can also use built-in functions to construct data-structures.

set_obj = set((1, 2, 3, 1, 2, 3))
print(set_obj)

list_obj = list((1, 2, 3, 1, 2, 3))
print(list_obj)

tuple_obj = tuple((1, 2, 3, 1, 2, 3))
print(tuple_obj)

dict_obj = dict([(1,"a"), (2, "b")])
print(dict_obj)
{1, 2, 3}
[1, 2, 3, 1, 2, 3]
(1, 2, 3, 1, 2, 3)
{1: 'a', 2: 'b'}

User-Defined Functions

This section will consist of explaining what a function is in Python and how to create one. Functions will be one of our main building blocks when we construct larger and larger amounts of code to solve problems.

Typical function in python consists of the following parts:

  1. Input (Arguments in functions)
  2. Process (What this function do)
  3. Output (What this function return)

In short, IPO for constructing a function.

Functions will be one of most basic levels of reusing code in Python, and it will also allow us to start thinking of program design (we will dive much deeper into the ideas of design when we learn about Object Oriented Programming).

def Statements

Let's see how to build out a function's syntax in Python. It has the following form:

def function_name(arg1,arg2):
    '''
    This is where the function's Document String (docstring) goes
    '''
    # Do stuff here
    # Return desired result

We begin with def then a space, followed by the name of the function. Try to keep names relevant though they can be variable, for example len() is a good name for a length() function. Also be careful with names, you wouldn't want to call a function the same name as a built-in functions(such as len).

Next comes a pair of parentheses with a number of arguments separated by a comma. These arguments are the inputs for your function. You'll be able to use these inputs in your function and reference them. After this you put a colon.

Now here is the important step, you must indent to begin the code inside your function correctly. Python makes use of whitespace to organize code. Lots of other programing languages do not do this, so keep that in mind.

Let's see the example of creating basic printing function.

# Define a function

# No argument
def print_hello():
    print("Hello World")

print_hello()  # Call the funtion
Hello World

Let's see some functions with input arguments.

# Argument with user name
def print_hello(name):
    """
    Print The User Name
    Args:
        name(String) -> User name
    Return:
        None
    """
    print(f"Hello {name}! Welcome.")

print_hello("Aung Aung")    # Call the funtion
Hello Aung Aung! Welcome.

# Arguments with different datatypes
def print_hello(name, age):
    """
    Print The User Name
    Args:
        name (String) -> User name
        age  (Int) -> User Age
    Return:
        None
    """
    print(f"Hello {name}! Welcome. You are now {age} years old.")

print_hello("Aung Aung", 22)    # Call the funtion
Hello Aung Aung! Welcome. You are now 22 years old.

Functions arguments can also have default values. See the example below.

# Argument having default value
def print_hello(name, age = 18):
    """
    Print The User Name
    Args:
        name (String) -> User name
        age  (Int) -> User Age
    Return:
        None
    """
    print(f"Hello {name}! Welcome. You are now {age} years old.")

# Because the 'age' argument has default value, we don't need to provide value.
print_hello("Aung Aung")
print_hello("Aung Aung", 22)
Hello Aung Aung! Welcome. You are now 18 years old.
Hello Aung Aung! Welcome. You are now 22 years old.

Using return

Let's see some examples that use a return statement. return allows a function to return a result that can then be stored as a variable, or used in whatever manner a user wants.

def add_num(num1,num2,num3):
    return num1 + num2 + num3

# Calling the function
add_num(1,2,3)
6

# Can also save as variable due to return
result = add_num(1,2,3)
print(result)
6

# Let's try to make a power function
def power(base_num, pow_num):
    """
    Calculate the power of base_num
    Args:
        base_num(Int) -> Base number for calculation
        pow_num(Int) -> Power number for calculation
    Return:
        power_num(Int) -> Power number for calculation 
    """
    
    return base_num ** pow_num

# We can directly print out the value
print(power(2, 3))

# Or we can assign the output value to a variable and print.
output = power(3, 2)
print(output)
8
9

In the above function:
We get the process of Calculate the Power of base_num, Input of base_num and pow_num. Output for power_num.

Further Resources for Functions

If you want to learn more about built-in functions in more details, please visit to official Python documentation. You can also check this blog post about Functions.

Classes

Classes are the main building blocks in Object Oriented Programming (OOP). OOP is one of the hardest parts for beginners when they are first starting to learn Python. But we will get you through OOP in the following section. So, let's start.

Intro to OOP

Let's start the lesson by remembering about the Basic Python Objects. For example:

lst = [0, 1, 2, 3]

When we print out the type of that lst

print(type(lst))
<class 'list'>

This is the built-in Class of list.
And we can call methods on that list with

lst.append(2)
lst
[0, 1, 2, 3, 2]

Here, append is the method that the <class 'list'> has.

Objects

Everything in Python is an object. We can use type() to check the type of object:

print(type(1))
print(type([]))
print(type(()))
print(type({}))
<class 'int'>
<class 'list'>
<class 'tuple'>
<class 'dict'>

So we know all these things are objects, so how can we create our own Object types? That is where the class keyword comes in.

Class and Attributes

class

User defined objects are created using the class keyword. The class is a blueprint that defines the nature of a future object. From classes we can construct instances. An instance is a specific object created from a particular class. For example:

t = (1, 2, 3)

We created the object t which was an instance of a tuple object.

Now, Let's try a step up and create our own class.

# Construct a new object type called Student
class Student:
    pass

# Instance of the class Student
x = Student()

print(type(x))
<class '__main__.Student'>

Most of the programmers give classes a name that starts with a capital letter by convention. Note how x is now the instance of a Student class. In other words, we instantiate the Student class.

At the inside of the class we currently just have pass keyword. But we can define class attributes and methods.

An attribute is a characteristic of an object.
A method is an operation we can perform with the object.

For example, we can create a class called Dog. An attribute of a dog may be its breed or its name, while a method of a dog may be defined by a .bark() method which returns a sound.

Attributes

The syntax for creating an attribute is:

self.attribute = something

There is a special method called:

__init__()

This method is used to initialize the attributes of an object. For example:

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

a = Student(name = 'Aung Paing')
b = Student(name = 'Soe Pyae Phyo')

Let's break down what we have above. The special method

__init__()

is called automatically right after the object has been created.

def __init__(self, name):

Each attribute in a class definition begins with a reference to the instance object. It is by convention named self. The name is the argument. The value is passed during the class instantiation.

self.name = name

Note: self.name can be given any desire variable names; no need to be name. For example, self.student_name = name
Now we have created two instances of the Student class. With two different names, we can then use these attributes like this:
a.name
'Aung Aung'
b.name
'Soe Soe'

Note how we don't have any parentheses after name; this is because it is an attribute and doesn't take any arguments.

Lets add more attributes to our Student class.

class Student:
    def __init__(self, name, major, batch, age, passedlastterm):
        self.name = name
        self.major = major
        self.batch = batch
        self.age = age
        self.passedlastterm = passedlastterm
        

student_a = Student("Myo Myo", "EC", 3, 24, True)
student_b = Student("Su Su", "Text", 2, 18, False)


print("\nStudent a Data :")
print(student_a.name)
print(student_a.major)
print(student_a.batch)
print(student_a.age)
print(student_a.passedlastterm)
Student a Data :
Myo Myo
EC
3
24
True

Methods

Methods are functions defined inside the body of a class. They are used to perform operations with the attributes of our objects. Methods are a key concept of the OOP pattern. They are essential to dividing responsibilities in programming, especially in large applications.

Let's go through an example of creating a Square class:

class Square:
    
    # Square gets instantiated
    def __init__(self, length = 4):
        self.length = length
        self.area   = length * length
    
    # Resetting length
    def setLength(self, new_length):
        self.length = new_length
        self.area = new_length * new_length
        
s = Square()

print('Length is ', s.length)
print('Area is ', s.area)

s.setLength(6)
print('Now length is ', s.length)
print('Now area is ', s.area)
Length is  4
Area is  16
Now length is  6
Now area is  36

In this Square class, we have defined two attributes: self.length and self.area.

def setLength(self, new_length):

is called method of the class, which we use to interact with the user and manipulate the class attributes. Notice how we used self. notation to reference attributes of the class within the method calls.

Now, Let's add some methods to Student class.

class Student:
    def __init__(self, name, major, batch, age, passedlastterm):
        self.name = name
        self.major = major
        self.batch = batch
        self.age = age
        self.passedlastterm = passedlastterm
        
    def print_result(self):
        if self.passedlastterm:
            print("Congrats, you can move to next term.")
        else:
            print("Sorry, you need to retake the exam.")

            
student_a = Student("Myo Myo", "EC", 3, 24, True)
print("Student a Result")
student_a.print_result()
Student a Result
Congrats, you can move to next term.

Inheritance

Inheritance is a way to form new classes using classes that have already been defined. The newly formed classes are called derived classes, the classes that we derive from are called base classes. Important benefits of inheritance are code reuse and reduction of complexity of a program. The derived classes override or extend the functionality of base classes.

Let's use our Student class again.

# Inheritance and not change anything.
class ExchangeStudent(Student):
    pass

In this example, we have two classes: Student and ExchangeStudent. The Student is the base class, the ExchangeStudent is the derived class.

The derived class inherits the functionality of the base class. This is shown in the example below.

# ExchangeStudent should have all properties and methods Student has.
student_ex = ExchangeStudent("Htet Htet", "Civil", 1, 25, True)

print("\nStudent ex Result")
student_ex.print_result()
Student ex Result
Congrats, you can move to next term.

Further Resources for Class

If you want to learn more about Object Oriented Programming (OOP) in more details, please visit to official Python documentation. You can also check this blog post about OOP.

Icons made by Freepik from www.flaticon.com