30 Days Python Programming Guide
30 Days Python Programming Guide
#
Topics
Day
01 Introduction
03 Operators
04 Strings
05 Lists
06 Tuples
07 Sets
08 Dictionaries
09 Conditionals
10 Loops
11 Functions
12 Modules
13 List Comprehension
17 Exception Handling
18 Regular Expressions
19 File Handling
22 Web Scraping
23 Virtual Environment
24 Statistics
25 Pandas
26 Python web
28 API
29 Building API
30 Conclusions
o 💻 Exercises - Day 1
Exercise: Level 1
Exercise: Level 2
Exercise: Level 3
📘 Day 1
Welcome
Congratulations for deciding to participate in a 30 days of Python programming challenge . In this challenge you will learn
everything you need to be a python programmer and the whole concept of programming. In the end of the challenge you will
get a 30DaysOfPython programming challenge certificate.
If you would like to actively engage in the challenge, you may join the 30DaysOfPython challenge telegram group.
Introduction
Python is a high-level programming language for general-purpose programming. It is an open source, interpreted, objected-
oriented programming language. Python was created by a Dutch programmer, Guido van Rossum. The name of Python
programming language was derived from a British sketch comedy series, Monty Python's Flying Circus. The first version was
released on February 20, 1991. This 30 days of Python challenge will help you learn the latest version of Python, Python 3 step by
step. The topics are broken down into 30 days, where each day contains several topics with easy-to-understand explanations,
real-world examples, many hands on exercises and projects.
This challenge is designed for beginners and professionals who want to learn python programming language. It may take 30 to
100 days to complete the challenge, people who actively participate on the telegram group have a high probability of
completing the challenge.
This challenge is easy to read, written in conversational English, engaging, motivating and at the same time, it is very demanding.
You need to allocate much time to finish this challenge. If you are a visual learner, you may get the video lesson
on Washera YouTube channel. You may start from Python for Absolute Beginners video. Subscribe the channel, comment and ask
questions on YouTube vidoes and be proactive, the author will eventually notice you.
The author likes to hear your opinion about the challenge, share the author by expressing your thoughts about the
30DaysOfPython challenge. You can leave your testimonial on this link
Why Python ?
It is a programming language which is very close to human language and because of that it is easy to learn and use. Python is
used by various industries and companies (including Google). It has been used to develop web applications, desktop
applications, system adminstration, and machine learning libraries. Python is highly embraced language in the data science and
machine learning community. I hope this is enough to convince you to start learning Python. Python is eating the world and you
are killing it before it eats you.
Environment Setup
Installing Python
To run a python script you need to install python. Let's download python. If your are a windows user. Click the button encircled in
red.
To check if python is installed write the following command on your device terminal.
python --version
As you can see from the terminal, I am using Python 3.7.5 version at the moment. Your version of Python might be different from
mine by but it should be 3.6 or above. If you mange to see the python version, well done. Python has been installed on your
machine. Continue to the next section.
Python Shell
Python is an interpreted scripting language, so it does not need to be compiled. It means it executes the code line by line. Python
comes with a Python Shell (Python Interactive Shell). It is used to execute a single python command and get the result.
Python Shell waits for the Python code from the user. When you enter the code, it interprets the code and shows the result in the
next line. Open your terminal or command prompt(cmd) and write:
python
The Python interactive shell is opened and it is waiting for you to write Python code(Python script). You will write your Python
script next to this symbol >>> and then click Enter. Let us write our very first script on the Python scripting shell.
Well done, you wrote your first Python script on Python interactive shell. How do we close the Python interactive shell ? To close
the shell, next to this symbol >> write exit() command and press Enter.
Now, you know how to open the Python interactive shell and how to exit from it.
Python will give you results if you write scripts that Python understands, if not it returns errors. Let's make a deliberate mistake
and see what Python will return.
As you can see from the returned error, Python is so clever that it knows the mistake we made and which was Syntax Error:
invalid syntax. Using x as multiplication in Python is a syntax error because (x) is not a valid syntax in Python. Instead of (x) we use
asterisk (*) for multiplication. The returned error clearly shows what to fix.
The process of identifying and removing errors from a program is called debugging. Let us debug it by putting * in place of x.
Our bug was fixed, the code ran and we got a result we were expecting. As a programmer you will see such kind of errors on
daily basis. It is good to know how to debug. To be good at debugging you should understand what kind of errors you are
facing. Some of the Python errors you may encounter
are SyntaxError, IndexError, NameError, ModuleNotFoundError, KeyError, ImportError, AttributeError, TypeError, ValueError, ZeroDivi
sionError etc. We will see more about different Python error types in later sections.
Let us practice more how to use Python interactive shell. Go to your terminal or command prompt and write the word python.
The Python interactive shell is opened. Let us do some basic mathematical operations (addition, subtraction, multiplication,
division, modulus, exponential).
2 + 3 is 5
3 - 2 is 1
3 * 2 is 6
3 / 2 is 1.5
3 ** 2 is the same as 3 * 3
Let us change the above mathematical expressions to Python code. The Python shell has been opened and let us write a
comment at the very beginning of the shell.
A comment is a part of the code which is not executed by python. So we can leave some text in our code to make our code more
readable. Python does not run the comment part. A comment in python starts with hash(#) symbol. This is how you write a
comment in python
Before we move on to the next section, let us practice more on the Python interactive shell. Close the opened shell by
writing exit() on the shell and open it again and let us practice how to write text on the Python shell.
Installing Visual Studio Code
The Python interactive shell is good to try and test small script codes but it will not be for a big project. In real work environment,
developers use different code editors to write codes. In this 30 days of Python programming challenge we will use visual studio
code. Visual studio code is a very popular open source text editor. I am a fan of vscode and I would recommend
to download visual studio code, but if you are in favor of other editors, feel free to follow with what you have.
If you installed visual studio code, let us see how to use it. If you prefer a video, you can follow this Visual Studio Code for
Python Video tutorial
Open the visual studio code by double clicking the visual studio icon. When you open it you will get this kind of interface. Try to
interact with the labeled icons.
Create a folder named 30DaysOfPython on your desktop. Then open it using visual studio code.
After opening it you will see shortcuts for creating files and folders inside of 30DaysOfPython project's directory. As you can see
below, I have created the very first file, helloworld.py. You can do the same.
After a long day of coding, you want to close your code editor, right? This is how you will close the opened project.
Congratulations, you have finished setting up the development environment. Let us start coding.
Basic Python
Python Syntax
A Python script can be written in Python interactive shell or in the code editor. A Python file has an extension .py.
Python Indentation
An indentation is a white space in a text. Indentation in many languages is used to increase code readability, however Python
uses indentation to create block of codes. In other programming languages curly brackets are used to create blocks of codes
instead of indentation. One of the common bugs when writing python code is wrong indentation.
Comments
Comments are very important to make the code more readable and to leave remarks in our code. Python does not run comment
parts of our code. Any text starting with hash(#) in Python is a comment.
Triple quote can be used for multiline comment if it is not assigned to a variable
Data types
In Python there are several types of data types. Let us get started with the most common ones. Different data types will be
covered in detail in other sections. For the time being, let us just go through the different data types and get familiar with them.
You do not have to have a clear understanding now.
Number
Integer: Integer(negative, zero and positive) numbers Example: ... -3, -2, -1, 0, 1, 2, 3 ...
Float: Decimal number Example ... -3.5, -2.25, -1.0, 0.0, 1.1, 2.2, 3.5 ...
Complex Example 1 + j, 2 + 4j
String
A collection of one or more characters under a single or double quote. If a string is more than one sentence then we use a triple
quote.
Example:
'Asabeneh'
'Finland'
'Python'
'I love teaching'
'I hope you are enjoying the first day of 30DaysOfPython Challenge'
Booleans
A boolean data type is either a True or False value. T and F should be always uppercase.
Example:
List
Python list is an ordered collection which allows to store different data type items. A list is similar to an array in JavaScript.
Example:
Dictionary
A Python dictionary object is an unordered collection of data in a key value pair format.
Example:
{
'first_name':'Asabeneh',
'last_name':'Yetayeh',
'country':'Finland',
'age':250,
'is_married':True,
'skills':['JS', 'React', 'Node', 'Python']
}
Tuple
A tuple is an ordered collection of different data types like list but tuples can not be modified once they are created. They are
immutable.
Example:
Set
A set is a collection of data types similar to list and tuple. Unlike list and tuple, set is not an ordered collection of items. Like in
Mathematics, set in Python stores only unique items.
In later sections, we will go in detail about each and every Python data type.
Example:
{2, 4, 3, 5}
{3.14, 9.81, 2.7} # order is not important in set
To check the data type of certain data/variable we use the type function. In the following terminal you will see different python
data types:
Python File
First open your project folder, 30DaysOfPython. If you don't have this folder, create a folder name called 30DaysOfPython. Inside
this folder, create a file called helloworld.py. Now, let's do what we did on python interactive shell using visual studio code.
The Python interactive shell was printing without using print but on visual studio code to see our result we should use a built in
function _print(). The print() built-in function takes one or more arguments as follows print('arument1', 'argument2', 'argument3').
See the examples below.
Example:
print(2 + 3) # addition(+)
print(3 - 1) # subtraction(-)
print(2 * 3) # multiplication(*)
print(3 / 2) # division(/)
print(3 ** 2) # exponential(**)
print(3 % 2) # modulus(%)
print(3 // 2) # Floor division operator(//)
💻 Exercises - Day 1
Exercise: Level 1
Exercise: Level 2
1. Create a folder named day_1 inside 30DaysOfPython folder. Inside day_1 folder, create a python file helloworld.py and repeat
questions 1, 2, 3 and 4. Remember to use print() when you are working on a python file. Navigate to the directory where you have
saved your file, and run it.
Exercise: Level 3
1. Write an example for different Python data types such as Number(Integer, Float, Complex), String, Boolean, List, Tuple, Set and
Dictionary.
2. Find an Euclidian distance between (2, 3) and (10, 8)
🎉 CONGRATULATIONS ! 🎉
📘 Day 2
o Built in functions
o Variables
Declaring Multiple Variable in a Line
o Data Types
o Checking Data types and Casting
o Numbers
o 💻 Exercises - Day 2
Exercises: Level 1
Exercises: Level 2
📘 Day 2
Built in functions
In Python we have lots of built-in functions. Built-in functions are globally available for your use that mean you can make use of
the built-in functions without importing or configuring. Some of the most commonly used Python built-in functions are the
following: print(), len(), type(), int(), float(), str(), input(), list(), dict(), min(), max(), sum(), sorted(), open(), file(), help(), and dir(). In the
following table you will see an exhaustive list of Python built-in functions taken from python documentation.
Let us open the Python shell and start using some of the most common built-in functions.
I believe, by now you are familiar with built-in functions. Let us do one more practice of built-in functions and we will move on to
the next section.
Variables
Variables store data in a computer memory. Mnemonic variables are recommended to use in many programming languages. A
mnemonic variable is a variable name that can be easily remembered and associated. A variable refers to a memory address in
which data is stored. Number at the beginning, special character, hyphen are not allowed when naming a variable. A variable can
have a short name (like x, y, z), but a more descriptive name (firstname, lastname, age, country) is highly recommended.
firstname
lastname
age
country
city
first_name
last_name
capital_city
_if # if we want to use reserved word as a variable
year_2021
year2021
current_year_2021
birth_year
num1
num2
Invalid variables names
first-name
first@name
first$name
num-1
1num
We will use standard Python variable naming style which has been adopted by many Python developers. Python developers use
snake case(snake_case) variable naming convention. We use underscore character after each word for a variable containing more
than one word(eg. first_name, last_name, engine_rotation_speed). The example below is an example of standard naming of
variables, underscore is required when the variable name is more than one word.
When we assign a certain data type to a variable, it is called variable declaration. For instance in the example below my first name
is assigned to a variable first_name. The equal sign is an assignment operator. Assigning means storing data in the variable. The
equal sign in Python is not equality as in Mathematics.
Example:
# Variables in Python
first_name = 'Asabeneh'
last_name = 'Yetayeh'
country = 'Finland'
city = 'Helsinki'
age = 250
is_married = True
skills = ['HTML', 'CSS', 'JS', 'React', 'Python']
person_info = {
'firstname':'Asabeneh',
'lastname':'Yetayeh',
'country':'Finland',
'city':'Helsinki'
}
Let us use the print() and len() built-in functions. Print function takes unlimited number of arguments. An argument is a value
which we can be passed or put inside the function parenthesis, see the example below.
Example:
Example:
Example:
first_name, last_name, country, age, is_married = 'Asabeneh', 'Yetayeh', 'Helsink', 250, True
Data Types
There are several data types in Python. To identify the data type we use the type built-in function. I would like to ask you to focus
on understanding different data types very well. When it comes to programming, it is all about data types. I introduced data
types at the very beginning and it comes again, because every topic is related to data types. We will cover data types in more
detail in their respective sections.
Check Data types: To check the data type of certain data/variable we use the type Example:
Casting: Converting one data type to another data type. We use int(), float(), str(), list, set When we do arithmetic
operations string numbers should be first converted to int or float otherwise it will return an error. If we concatenate a
number with a string, the number should be first converted to a string. We will talk about concatenation in String section.
Example:
# int to float
num_int = 10
print('num_int',num_int) # 10
num_float = float(num_int)
print('num_float:', num_float) # 10.0
# float to int
gravity = 9.81
print(int(gravity)) # 9
# int to str
num_int = 10
print(num_int) # 10
num_str = str(num_int)
print(num_str) # '10'
# str to list
first_name = 'Asabeneh'
print(first_name) # 'Asabeneh'
first_name_to_list = list(first_name)
print(first_name_to_list) # ['A', 's', 'a', 'b', 'e', 'n', 'e', 'h']
Numbers
1. Integers: Integer(negative, zero and positive) numbers Example: ... -3, -2, -1, 0, 1, 2, 3 ...
2. Floating Point Numbers(Decimal numbers) Example: ... -3.5, -2.25, -1.0, 0.0, 1.1, 2.2, 3.5 ...
3. Complex Numbers Example: 1 + j, 2 + 4j, 1 - 1j
🌕 You are awesome. You have just completed day 2 challenges and you are two steps ahead on your way to greatness. Now do
some exercises for your brain and muscles.
💻 Exercises - Day 2
Exercises: Level 1
1. Inside 30DaysOfPython create a folder called day_2. Inside this folder create a file named variables.py
2. Write a python comment saying 'Day 2: 30 Days of python programming'
3. Declare a first name variable and assign a value to it
4. Declare a last name variable and assign a value to it
5. Declare a full name variable and assign a value to it
6. Declare a country variable and assign a value to it
7. Declare a city variable and assign a value to it
8. Declare an age variable and assign a value to it
9. Declare a year variable and assign a value to it
10. Declare a variable is_married and assign a value to it
11. Declare a variable is_true and assign a value to it
12. Declare a variable is_light_on and assign a value to it
13. Declare multiple variable on one line
Exercises: Level 2
1. Check the data type of all your variables using type() built-in function
2. Using the len() built-in function, find the length of your first name
3. Compare the length of your first name and your last name
4. Declare 5 as num_one and 4 as num_two
i. Add num_one and num_two and assign the value to a variable total
ii. Subtract num_two from num_one and assign the value to a variable diff
iii. Multiply num_two and num_one and assign the value to a variable product
iv. Divide num_one by num_two and assign the value to a variable division
v. Use modulus division to find num_two divided by num_one and assign the value to a variable remainder
vi. Calculate num_one to the power of num_two and assign the value to a variable exp
vii. Find floor division of num_one by num_two and assign the value to a variable floor_division
5. The radius of a circle is 30 meters.
i. Calculate the area of a circle and assign the value to a variable name of area_of_circle
ii. Calculate the circumference of a circle and assign the value to a variable name of circum_of_circle
iii. Take radius as user input and calculate the area.
6. Use the built-in input function to get first name, last name, country and age from a user and store the value to their corresponding
variable names
7. Run help('keywords') in Python shell or in your file to check for the Python reserved words or keywords
🎉 CONGRATULATIONS ! 🎉
📘 Day 3
o Boolean
o Operators
Assignment Operators
Arithmetic Operators:
Comparison Operators
Logical Operators
o 💻 Exercises - Day 3
📘 Day 3
Boolean
A boolean data type represents one of the two values: True or False. The use of these data types will be clear once we start using
the comparison operator. The first letter T for True and F for False should be capital unlike JavaScript. Example: Boolean Values
print(True)
print(False)
Operators
Python language supports several types of operators. In this section, we will focus on few of them.
Assignment Operators
Assignment operators are used to assign values to variables. Let us take = as an example. Equal sign in mathematics shows that
two values are equal, however in Python it means we are storing a value in a certain variable and we call it assignment or a
assigning value to a variable. The table below shows the different types of python assignment operators, taken from w3school.
Arithmetic Operators:
Addition(+): a + b
Subtraction(-): a - b
Multiplication(*): a * b
Division(/): a / b
Modulus(%): a % b
Floor division(//): a // b
Exponentiation(**): a ** b
Example:Integers
print('Addition: ', 1 + 2) # 3
print('Subtraction: ', 2 - 1) # 1
print('Multiplication: ', 2 * 3) # 6
print ('Division: ', 4 / 2) # 2.0 Division in Python gives floating number
print('Division: ', 6 / 2) # 3.0
print('Division: ', 7 / 2) # 3.5
print('Division without the remainder: ', 7 // 2) # 3, gives without the floating number or without the remaining
print ('Division without the remainder: ',7 // 3) # 2
print('Modulus: ', 3 % 2) # 1, Gives the remainder
print('Exponentiation: ', 2 ** 3) # 9 it means 2 * 2 * 2
Example:Floats
# Floating numbers
print('Floating Point Number, PI', 3.14)
print('Floating Point Number, gravity', 9.81)
Example:Complex numbers
# Complex numbers
print('Complex number: ', 1 + 1j)
print('Multiplying complex numbers: ',(1 + 1j) * (1 - 1j))
Let's declare a variable and assign a number data type. I am going to use single character variable but remember do not develop
a habit of declaring such types of variables. Variable names should be all the time mnemonic.
Example:
# I should have used sum instead of total but sum is a built-in function - try to avoid overriding built-in functions
print(total) # if you do not label your print with some string, you never know where the result is coming from
print('a + b = ', total)
print('a - b = ', diff)
print('a * b = ', product)
print('a / b = ', division)
print('a % b = ', remainder)
print('a // b = ', floor_division)
print('a ** b = ', exponentiation)
Example:
# Arithmetic operations
total = num_one + num_two
diff = num_two - num_one
product = num_one * num_two
div = num_two / num_one
remainder = num_two % num_one
Example:
Comparison Operators
In programming we compare values, we use comparison operators to compare two values. We check if a value is greater or less
or equal to other value. The following table shows Python comparison operators which was taken from w3shool.
print('1 is 1', 1 is 1) # True - because the data values are the same
print('1 is not 2', 1 is not 2) # True - because 1 is not 2
print('A in Asabeneh', 'A' in 'Asabeneh') # True - A found in the string
print('B in Asabeneh', 'B' in 'Asabeneh') # False - there is no uppercase B
print('coding' in 'coding for all') # True - because coding for all has the word coding
print('a in an:', 'a' in 'an') # True
print('4 is 2 ** 2:', 4 is 2 ** 2) # True
Logical Operators
Unlike other programming languages python uses keywords and, or and not for logical operators. Logical operators are used to
combine conditional statements:
print(3 > 2 and 4 > 3) # True - because both statements are true
print(3 > 2 and 4 < 3) # False - because the second statement is false
print(3 < 2 and 4 < 3) # False - because both statements are false
print('True and True: ', True and True)
print(3 > 2 or 4 > 3) # True - because both statements are true
print(3 > 2 or 4 < 3) # True - because one of the statements is true
print(3 < 2 or 4 < 3) # False - because both statements are false
print('True or False:', True or False)
print(not 3 > 2) # False - because 3 > 2 is true, then not True gives False
print(not True) # False - Negation, the not operator turns true to false
print(not False) # True
print(not not True) # True
print(not not False) # False
🌕 You have boundless energy. You have just completed day 3 challenges and you are three steps ahead on your way to greatness.
Now do some exercises for your brain and your muscles.
💻 Exercises - Day 3
Enter base: 20
Enter height: 10
The area of the triangle is 100
5. Write a script that prompts the user to enter side a, side b, and side c of the triangle. Calculate the perimeter of the triangle
(perimeter = a + b + c).
Enter side a: 5
Enter side b: 4
Enter side c: 3
The perimeter of the triangle is 12
6. Get length and width of a rectangle using prompt. Calculate its area (area = length x width) and perimeter (perimeter = 2 x (length +
width))
7. Get radius of a circle using prompt. Calculate the area (area = pi x r x r) and circumference (c = 2 x pi x r) where pi = 3.14.
8. Calculate the slope, x-intercept and y-intercept of y = 2x -2
9. Slope is (m = y2-y1/x2-x1). Find the slope and Euclidean distance between point (2, 2) and point (6,10)
10. Compare the slopes in tasks 8 and 9.
11. Calculate the value of y (y = x^2 + 6x + 9). Try to use different x values and figure out at what x value y is going to be 0.
12. Find the length of 'python' and 'dragon' and make a falsy comparison statement.
13. Use and operator to check if 'on' is found in both 'python' and 'dragon'
14. I hope this course is not full of jargon. Use in operator to check if jargon is in the sentence.
15. There is no 'on' in both dragon and python
16. Find the length of the text python and convert the value to float and convert it to string
17. Even numbers are divisible by 2 and the remainder is zero. How do you check if a number is even or not using python?
18. Check if the floor division of 7 by 3 is equal to the int converted value of 2.7.
19. Check if type of '10' is equal to type of 10
20. Check if int('9.8') is equal to 10
21. Writ a script that prompts the user to enter hours and rate per hour. Calculate pay of the person?
Enter hours: 40
Enter rate per hour: 28
Your weekly earning is 1120
22. Write a script that prompts the user to enter number of years. Calculate the number of seconds a person can live. Assume a person
can live hundred years
Enter number of years you have lived: 100
You have lived for 3153600000 seconds.
1 1 1 1 1
2 1 2 4 8
3 1 3 9 27
4 1 4 16 64
5 1 5 25 125
🎉 CONGRATULATIONS ! 🎉
Day 4
o Strings
Creating a String
String Concatenation
Escape Sequences in Strings
String formatting
Old Style String Formatting (% Operator)
New Style String Formatting (str.format)
String Interpolation / f-Strings (Python 3.6+)
Python Strings as Sequences of Characters
Unpacking Characters
Accessing Characters in Strings by Index
Slicing Python Strings
Reversing a String
Skipping Characters While Slicing
String Methods
o 💻 Exercises - Day 4
Day 4
Strings
Text is a string data type. Any data type written as text is a string. Any data under single, double or triple quote are strings. There
are different string methods and built-in functions to deal with string data types. To check the length of a string use the len()
method.
Creating a String
letter = 'P' # A string could be a single character or a bunch of texts
print(letter) # P
print(len(letter)) # 1
greeting = 'Hello, World!' # String could be made using a single or double quote,"Hello, World!"
print(greeting) # Hello, World!
print(len(greeting)) # 13
sentence = "I hope you are enjoying 30 days of Python Challenge"
print(sentence)
Multiline string is created by using triple single (''') or triple double quotes ("""). See the example below.
String Concatenation
We can connect strings together. Merging or connecting strings is called concatenation. See the example below:
first_name = 'Asabeneh'
last_name = 'Yetayeh'
space = ' '
full_name = first_name + space + last_name
print(full_name) # Asabeneh Yetayeh
# Checking the length of a string using len() built-in function
print(len(first_name)) # 8
print(len(last_name)) # 7
print(len(first_name) > len(last_name)) # True
print(len(full_name)) # 16
In Python and other programming languages \ followed by a character is an escape sequence. Let us see the most common
escape characters:
Now, let us see the use of the above escape sequences with examples.
print('I hope everyone is enjoying the Python Challenge.\nAre you ?') # line break
print('Days\tTopics\tExercises') # adding tab space or 4 spaces
print('Day 1\t5\t5')
print('Day 2\t6\t20')
print('Day 3\t5\t23')
print('Day 4\t1\t35')
print('This is a backslash symbol (\\)') # To write a backslash
print('In every programming language it starts with \"Hello, World!\"') # to write a double quote inside a single quote
# output
I hope every one is enjoying the Python Challenge.
Are you ?
Days Topics Exercises
Day 1 5 5
Day 2 6 20
Day 3 5 23
Day 4 1 35
This is a backslash symbol (\)
In every programming language it starts with "Hello, World!"
String formatting
In Python there are many ways of formatting strings. In this section, we will cover some of them. The "%" operator is used to
format a set of variables enclosed in a "tuple" (a fixed size list), together with a format string, which contains normal text together
with "argument specifiers", special symbols like "%s", "%d", "%f", "%.number of digitsf".
# Strings only
first_name = 'Asabeneh'
last_name = 'Yetayeh'
language = 'Python'
formated_string = 'I am %s %s. I teach %s' %(first_name, last_name, language)
print(formated_string)
first_name = 'Asabeneh'
last_name = 'Yetayeh'
language = 'Python'
formated_string = 'I am {} {}. I teach {}'.format(first_name, last_name, language)
print(formated_string)
a = 4
b = 3
# output
4 + 3 = 7
4 - 3 = 1
4 * 3 = 12
4 / 3 = 1.33
4 % 3 = 1
4 // 3 = 1
4 ** 3 = 64
Another new string formatting is string interpolation, f-strings. Strings start with f and we can inject the data in their
corresponding positions.
a = 4
b = 3
print(f'{a} + {b} = {a +b}')
print(f'{a} - {b} = {a - b}')
print(f'{a} * {b} = {a * b}')
print(f'{a} / {b} = {a / b:.2f}')
print(f'{a} % {b} = {a % b}')
print(f'{a} // {b} = {a // b}')
print(f'{a} ** {b} = {a ** b}')
Python strings are sequences of characters, and share their basic methods of access with other Python ordered sequences of
objects – lists and tuples. The simplest way of extracting single characters from strings (and individual members from any
sequence) is to unpack them into corresponding variables.
Unpacking Characters
language = 'Python'
a,b,c,d,e,f = language # unpacking sequence characters into variables
print(a) # P
print(b) # y
print(c) # t
print(d) # h
print(e) # o
print(f) # n
In programming counting starts from zero. Therefore the first letter of a string is at zero index and the last letter of a string is the
length of a string minus one.
language = 'Python'
first_letter = language[0]
print(first_letter) # P
second_letter = language[1]
print(second_letter) # y
last_index = len(language) - 1
last_letter = language[last_index]
print(last_letter) # n
If we want to start from right end we can use negative indexing. -1 is the last index.
language = 'Python'
last_letter = language[-1]
print(last_letter) # n
second_last = language[-2]
print(second_last) # o
language = 'Python'
first_three = language[0:3] # starts at zero index and up to 3 but not include 3
print(first_three) #Pyt
last_three = language[3:6]
print(last_three) # hon
# Another way
last_three = language[-3:]
print(last_three) # hon
last_three = language[3:]
print(last_three) # hon
Reversing a String
It is possible to skip characters while slicing by passing step argument to slice method.
language = 'Python'
pto = language[0:6:2] #
print(pto) # Pto
String Methods
There are many string methods which allow us to format strings. See some of the string methods in the following example:
count(): returns occurrences of substring in string, count(substring, start=.., end=..). The start is a starting indexing for counting and
end is the last index to count.
expandtabs(): Replaces tab character with spaces, default tab size is 8. It takes tab size argument
challenge = 'thirty\tdays\tof\tpython'
print(challenge.expandtabs()) # 'thirty days of python'
print(challenge.expandtabs(10)) # 'thirty days of python'
find(): Returns the index of the first occurrence of a substring, if not found returns -1
rfind(): Returns the index of the last occurrence of a substring, if not found returns -1
first_name = 'Asabeneh'
last_name = 'Yetayeh'
age = 250
job = 'teacher'
country = 'Finland'
sentence = 'I am {} {}. I am a {}. I am {} years old. I live in {}.'.format(first_name, last_name, age, job, country)
print(sentence) # I am Asabeneh Yetayeh. I am 250 years old. I am a teacher. I live in Finland.
radius = 10
pi = 3.14
area = pi * radius ** 2
result = 'The area of a circle with radius {} is {}'.format(str(radius), str(area))
print(result) # The area of a circle with radius 10 is 314
index(): Returns the lowest index of a substring, additional arguments indicate starting and ending index (default 0 and string length -
1). If the substring is not found it raises a valueError.
rindex(): Returns the highest index of a substring, additional arguments indicate starting and ending index (default 0 and string length
- 1)
challenge = 'ThirtyDaysPython'
print(challenge.isalnum()) # True
challenge = '30DaysPython'
print(challenge.isalnum()) # True
isalpha(): Checks if all string elements are alphabet characters (a-z and A-Z)
isdigit(): Checks if all characters in a string are numbers (0-9 and some other unicode characters for numbers)
challenge = 'Thirty'
print(challenge.isdigit()) # False
challenge = '30'
print(challenge.isdigit()) # True
challenge = '\u00B2'
print(challenge.isdigit()) # True
isnumeric(): Checks if all characters in a string are numbers or number related ( just like isdigit(), just accepts more symbols, like ½)
num = '10'
print(num.isnumeric()) # True
num = '\u00BD' # ½
print(num.isnumeric()) # True
num = '10.5'
print(num.isnumeric()) # False
isidentifier(): Checks for a valid identifier - it checks if a string is a valid variable name
challenge = '30DaysOfPython'
print(challenge.isidentifier()) # False, because it starts with a number
challenge = 'thirty_days_of_python'
print(challenge.isidentifier()) # True
strip(): Removes all given characters starting from the beginning and end of the string
swapcase(): Converts all uppercase characters to lowercase and all lowercase characters to uppercase characters
🌕 You are an extraordinary person and you have a remarkable potential. You have just completed day 4 challenges and you are
four steps a head in to your way to greatness. Now do some exercises for your brain and muscles.
💻 Exercises - Day 4
1. Concatenate the string 'Thirty', 'Days', 'Of', 'Python' to a single string, 'Thirty Days Of Python'.
2. Concatenate the string 'Coding', 'For' , 'All' to a single string, 'Coding For All'.
3. Declare a variable named company and assign it to an initial value "Coding For All".
4. Print the variable company using print().
5. Print the length of the company string using len() method and print().
6. Change all the characters to uppercase letters using upper() method.
7. Change all the characters to lowercase letters using lower() method.
8. Use capitalize(), title(), swapcase() methods to format the value of the string Coding For All.
9. Cut(slice) out the first word of Coding For All string.
10. Check if Coding For All string contains a word Coding using the method index, find or other methods.
11. Replace the word coding in the string 'Coding For All' to Python.
12. Change Python for Everyone to Python for All using the replace method or other methods.
13. Split the string 'Coding For All' using space as the separator (split()) .
14. "Facebook, Google, Microsoft, Apple, IBM, Oracle, Amazon" split the string at the comma.
15. What is the character at index 0 in the string Coding For All.
16. What is the last index of the string Coding For All.
17. What character is at index 10 in "Coding For All" string.
18. Create an acronym or an abbreviation for the name 'Python For Everyone'.
19. Create an acronym or an abbreviation for the name 'Coding For All'.
20. Use index to determine the position of the first occurrence of C in Coding For All.
21. Use index to determine the position of the first occurrence of F in Coding For All.
22. Use rfind to determine the position of the last occurrence of l in Coding For All People.
23. Use index or find to find the position of the first occurrence of the word 'because' in the following sentence: 'You cannot end a
sentence with because because because is a conjunction'
24. Use rindex to find the position of the last occurrence of the word because in the following sentence: 'You cannot end a sentence with
because because because is a conjunction'
25. Slice out the phrase 'because because because' in the following sentence: 'You cannot end a sentence with because because because
is a conjunction'
26. Find the position of the first occurrence of the word 'because' in the following sentence: 'You cannot end a sentence with because
because because is a conjunction'
27. Slice out the phrase 'because because because' in the following sentence: 'You cannot end a sentence with because because because
is a conjunction'
28. Does ''Coding For All' start with a substring Coding?
29. Does 'Coding For All' end with a substring coding?
30. ' Coding For All ' , remove the left and right trailing spaces in the given string.
31. Which one of the following variables return True when we use the method isidentifier():
o 30DaysOfPython
o thirty_days_of_python
32. The following list contains the names of some of python libraries: ['Django', 'Flask', 'Bottle', 'Pyramid', 'Falcon']. Join the list with a hash
with space string.
33. Use the new line escape sequence to separate the following sentences.
34. I am enjoying this challenge.
I just wonder what is next.
35. Use a tab escape sequence to write the following lines.
36. Name Age Country City
Asabeneh 250 Finland Helsinki
37. Use the string formatting method to display the following:
radius = 10
area = 3.14 * radius ** 2
The area of a circle with radius 10 is 314 meters square.
8 + 6 = 14
8 - 6 = 2
8 * 6 = 48
8 / 6 = 1.33
8 % 6 = 2
8 // 6 = 1
8 ** 6 = 262144
🎉 CONGRATULATIONS ! 🎉
Day 5
o Lists
How to Create a List
Accessing List Items Using Positive Indexing
Accessing List Items Using Negative Indexing
Unpacking List Items
Slicing Items from a List
Modifying Lists
Checking Items in a List
Adding Items to a List
Inserting Items into a List
Removing Items from a List
Removing Items Using Pop
Removing Items Using Del
Clearing List Items
Copying a List
Joining Lists
Counting Items in a List
Finding Index of an Item
Reversing a List
Sorting List Items
o 💻 Exercises: Day 5
Exercises: Level 1
Exercises: Level 2
Day 5
Lists
A list is collection of different data types which is ordered and modifiable(mutable). A list can be empty or it may have different
data type items.
# syntax
lst = list()
empty_list = list() # this is an empty list, no item in the list
print(len(empty_list)) # 0
Using square brackets, []
# syntax
lst = []
empty_list = [] # this is an empty list, no item in the list
print(len(empty_list)) # 0
Lists with initial values. We use len() to find the length of a list.
lst = ['Asabeneh', 250, True, {'country':'Finland', 'city':'Helsinki'}] # list containing different data types
We access each item in a list using their index. A list index starts from 0. The picture below shows clearly where the index starts
Negative indexing means beginning from the end, -1 refers to the last item, -2 refers to the second last item.
Positive Indexing: We can specify a range of positive indexes by specifying the start, end and step, the return value will be a new list.
(default values for start = 0, end = len(lst) - 1 (last item), step = 1)
Negative Indexing: We can specify a range of negative indexes by specifying the start, end and step, the return value will be a new list.
Modifying Lists
List is a mutable or modifiable ordered collection of items. Lets modify the fruit list.
Checking an item if it is a member of a list using in operator. See the example below.
To add item to the end of an existing list we use the method append().
# syntax
lst = list()
lst.append(item)
fruits = ['banana', 'orange', 'mango', 'lemon']
fruits.append('apple')
print(fruits) # ['banana', 'orange', 'mango', 'lemon', 'apple']
fruits.append('lime') # ['banana', 'orange', 'mango', 'lemon', 'apple', 'lime']
print(fruits)
Inserting Items into a List
We can use insert() method to insert a single item at a specified index in a list. Note that other items are shifted to the right.
The insert() methods takes two arguments:index and an item to insert.
# syntax
lst = ['item1', 'item2']
lst.insert(index, item)
fruits = ['banana', 'orange', 'mango', 'lemon']
fruits.insert(2, 'apple') # insert apple between orange and mango
print(fruits) # ['banana', 'orange', 'apple', 'mango', 'lemon']
fruits.insert(3, 'lime') # ['banana', 'orange', 'apple', 'lime', 'mango', 'lemon']
print(fruits)
# syntax
lst = ['item1', 'item2']
lst.remove(item)
fruits = ['banana', 'orange', 'mango', 'lemon', 'banana']
fruits.remove('banana')
print(fruits) # ['orange', 'mango', 'lemon', 'banana'] - this method removes the first occurrence of the item in the list
fruits.remove('lemon')
print(fruits) # ['orange', 'mango', 'banana']
The pop() method removes the specified index, (or the last item if index is not specified):
# syntax
lst = ['item1', 'item2']
lst.pop() # last item
lst.pop(index)
fruits = ['banana', 'orange', 'mango', 'lemon']
fruits.pop()
print(fruits) # ['banana', 'orange', 'mango']
fruits.pop(0)
print(fruits) # ['orange', 'mango']
The del keyword removes the specified index and it can also be used to delete items within index range. It can also delete the list
completely
# syntax
lst = ['item1', 'item2']
del lst[index] # only a single item
del lst # to delete the list completely
fruits = ['banana', 'orange', 'mango', 'lemon', 'kiwi', 'lime']
del fruits[0]
print(fruits) # ['orange', 'mango', 'lemon', 'kiwi', 'lime']
del fruits[1]
print(fruits) # ['orange', 'lemon', 'kiwi', 'lime']
del fruits[1:3] # this deletes items between given indexes, so it does not delete the item with index 3!
print(fruits) # ['orange', 'lime']
del fruits
print(fruits) # This should give: NameError: name 'fruits' is not defined
# syntax
lst = ['item1', 'item2']
lst.clear()
fruits = ['banana', 'orange', 'mango', 'lemon']
fruits.clear()
print(fruits) # []
Copying a List
It is possible to copy a list by reassigning it to a new variable in the following way: list2 = list1. Now, list2 is a reference of list1,
any changes we make in list2 will also modify the original, list1. But there are lots of case in which we do not like to modify the
original instead we like to have a different copy. One of way of avoiding the problem above is using copy().
# syntax
lst = ['item1', 'item2']
lst_copy = lst.copy()
fruits = ['banana', 'orange', 'mango', 'lemon']
fruits_copy = fruits.copy()
print(fruits_copy) # ['banana', 'orange', 'mango', 'lemon']
Joining Lists
There are several ways to join, or concatenate, two or more lists in Python.
# syntax
list3 = list1 + list2
positive_numbers = [1, 2, 3, 4, 5]
zero = [0]
negative_numbers = [-5,-4,-3,-2,-1]
integers = negative_numbers + zero + positive_numbers
print(integers) # [-5, -4, -3, -2, -1, 0, 1, 2, 3, 4, 5]
fruits = ['banana', 'orange', 'mango', 'lemon']
vegetables = ['Tomato', 'Potato', 'Cabbage', 'Onion', 'Carrot']
fruits_and_vegetables = fruits + vegetables
print(fruits_and_vegetables ) # ['banana', 'orange', 'mango', 'lemon', 'Tomato', 'Potato', 'Cabbage', 'Onion', 'Carrot']
Joining using extend() method The extend() method allows to append list in a list. See the example below.
# syntax
list1 = ['item1', 'item2']
list2 = ['item3', 'item4', 'item5']
list1.extend(list2)
num1 = [0, 1, 2, 3]
num2= [4, 5, 6]
num1.extend(num2)
print('Numbers:', num1) # Numbers: [0, 1, 2, 3, 4, 5, 6]
negative_numbers = [-5,-4,-3,-2,-1]
positive_numbers = [1, 2, 3,4,5]
zero = [0]
negative_numbers.extend(zero)
negative_numbers.extend(positive_numbers)
print('Integers:', negative_numbers) # Integers: [-5, -4, -3, -2, -1, 0, 1, 2, 3, 4, 5]
fruits = ['banana', 'orange', 'mango', 'lemon']
vegetables = ['Tomato', 'Potato', 'Cabbage', 'Onion', 'Carrot']
fruits.extend(vegetables)
print('Fruits and vegetables:', fruits ) # Fruits and vegetables: ['banana', 'orange', 'mango', 'lemon', 'Tomato', 'Potato',
'Cabbage', 'Onion', 'Carrot']
The count() method returns the number of times an item appears in a list:
# syntax
lst = ['item1', 'item2']
lst.count(item)
fruits = ['banana', 'orange', 'mango', 'lemon']
print(fruits.count('orange')) # 1
ages = [22, 19, 24, 25, 26, 24, 25, 24]
print(ages.count(24)) # 3
# syntax
lst = ['item1', 'item2']
lst.index(item)
fruits = ['banana', 'orange', 'mango', 'lemon']
print(fruits.index('orange')) # 1
ages = [22, 19, 24, 25, 26, 24, 25, 24]
print(ages.index(24)) # 2, the first occurrence
Reversing a List
# syntax
lst = ['item1', 'item2']
lst.reverse()
fruits = ['banana', 'orange', 'mango', 'lemon']
fruits.reverse()
print(fruits) # ['lemon', 'mango', 'orange', 'banana']
ages = [22, 19, 24, 25, 26, 24, 25, 24]
ages.reverse()
print(ages) # [24, 25, 24, 26, 25, 24, 19, 22]
Sorting List Items
To sort lists we can use sort() method or sorted() built-in functions. The sort() method reorders the list items in ascending order
and modifies the original list. If an argument of sort() method reverse is equal to true, it will arrange the list in descending order.
Example:
ages.sort(reverse=True)
print(ages) # [26, 25, 25, 24, 24, 24, 22, 19]
sorted(): returns the ordered list without modifying the original list Example:
🌕 You are diligent and you have already achieved quite a lot. You have just completed day 5 challenges and you are 5 steps a
head in to your way to greatness. Now do some exercises for your brain and muscles.
💻 Exercises: Day 5
Exercises: Level 1
28. After joining the lists in question 26. Copy the joined list and assign it to a variable full_stack. Then insert Python and SQL
after Redux.
Exercises: Level 2
ages = [19, 22, 19, 24, 20, 25, 26, 24, 25, 24]
Sort the list and find the min and max age
Add the min age and the max age again to the list
Find the median age (one middle item or two middle items divided by two)
Find the average age (sum of all items divided by their number )
Find the range of the ages (max minus min)
Compare the value of (min - average) and (max - average), use abs() method
🎉 CONGRATULATIONS ! 🎉
Day 6:
o Tuples
Creating a Tuple
Tuple length
Accessing Tuple Items
Slicing tuples
Changing Tuples to Lists
Checking an Item in a Tuple
Joining Tuples
Deleting Tuples
o 💻 Exercises: Day 6
Exercises: Level 1
Exercises: Level 2
Day 6:
Tuples
A tuple is a collection of different data types which is ordered and unchangeable (immutable). Tuples are written with round
brackets, (). Once a tuple is created, we cannot change its values. We cannot use add, insert, remove methods in a tuple because
it is not modifiable (mutable). Unlike list, tuple has few methods. Methods related to tuples:
Creating a Tuple
Tuple length
# syntax
tpl = ('item1', 'item2', 'item3')
len(tpl)
Positive Indexing Similar to the list data type we use positive or negative indexing to access tuple
items.
# Syntax
tpl = ('item1', 'item2', 'item3')
first_item = tpl[0]
second_item = tpl[1]
fruits = ('banana', 'orange', 'mango', 'lemon')
first_fruit = fruits[0]
second_fruit = fruits[1]
last_index =len(fruits) - 1
last_fruit = fruits[las_index]
Negative indexing Negative indexing means beginning from the end, -1 refers to the last item, -2 refers to the second last
and the negative of the list/tuple length refers to the first
item.
# Syntax
tpl = ('item1', 'item2', 'item3','item4')
first_item = tpl[-4]
second_item = tpl[-3]
fruits = ('banana', 'orange', 'mango', 'lemon')
first_fruit = fruits[-4]
second_fruit = fruits[-3]
last_fruit = fruits[-1]
Slicing tuples
We can slice out a sub-tuple by specifying a range of indexes where to start and where to end in the tuple, the return value will
be a new tuple with the specified items.
We can change tuples to lists and lists to tuples. Tuple is immutable if we want to modify a tuple we should change it to a list.
# Syntax
tpl = ('item1', 'item2', 'item3','item4')
lst = list(tpl)
fruits = ('banana', 'orange', 'mango', 'lemon')
fruits = list(fruits)
fruits[0] = 'apple'
print(fruits) # ['apple', 'orange', 'mango', 'lemon']
fruits = tuple(fruits)
print(fruits) # ('apple', 'orange', 'mango', 'lemon')
We can check if an item exists or not in a tuple using in, it returns a boolean.
# Syntax
tpl = ('item1', 'item2', 'item3','item4')
'item2' in tpl # True
fruits = ('banana', 'orange', 'mango', 'lemon')
print('orange' in fruits) # True
print('apple' in fruits) # False
fruits[0] = 'apple' # TypeError: 'tuple' object does not support item assignment
Joining Tuples
# syntax
tpl1 = ('item1', 'item2', 'item3')
tpl2 = ('item4', 'item5','item6')
tpl3 = tpl1 + tpl2
fruits = ('banana', 'orange', 'mango', 'lemon')
vegetables = ('Tomato', 'Potato', 'Cabbage','Onion', 'Carrot')
fruits_and_vegetables = fruits + vegetables
Deleting Tuples
It is not possible to remove a single item in a tuple but it is possible to delete the tuple itself using del.
# syntax
tpl1 = ('item1', 'item2', 'item3')
del tpl1
fruits = ('banana', 'orange', 'mango', 'lemon')
del fruits
🌕 You are so brave, you made it to this far. You have just completed day 6 challenges and you are 6 steps a head in to your way
to greatness. Now do some exercises for your brain and for your muscle.
💻 Exercises: Day 6
Exercises: Level 1
Exercises: Level 2
📘 Day 7
o Sets
Creating a Set
Getting Set's Length
Accessing Items in a Set
Checking an Item
Adding Items to a Set
Removing Items from a Set
Clearing Items in a Set
Deleting a Set
Converting List to Set
Joining Sets
Finding Intersection Items
Checking Subset and Super Set
Checking the Difference Between Two Sets
Finding Symmetric Difference Between Two Sets
Joining Sets
o 💻 Exercises: Day 7
Exercises: Level 1
Exercises: Level 2
Exercises: Level 3
📘 Day 7
Sets
Set is a collection of items. Let me take you back to your elementary or high school Mathematics lesson. The Mathematics
definition of a set can be applied also in Python. Set is a collection of unordered and un-indexed distinct elements. In Python set
is used to store unique items, and it is possible to find the union, intersection, difference, symmetric difference, subset, super
set and disjoint set among sets.
Creating a Set
# syntax
st = set()
# syntax
st = {'item1', 'item2', 'item3', 'item4'}
Example:
# syntax
fruits = {'banana', 'orange', 'mango', 'lemon'}
# syntax
st = {'item1', 'item2', 'item3', 'item4'}
len(st)
Example:
# syntax
st = {'item1', 'item2', 'item3', 'item4'}
print("Does set st contain item3? ", 'item3' in st) # Does set st contain item3? True
Example:
Once a set is created we cannot change any items and we can also add additional items.
# syntax
st = {'item1', 'item2', 'item3', 'item4'}
st.add('item5')
Example:
Add multiple items using update() The update() allows to add multiple items to a set. The update() takes a list argument.
# syntax
st = {'item1', 'item2', 'item3', 'item4'}
st.update(['item5','item6','item7'])
Example:
We can remove an item from a set using remove() method. If the item is not found remove() method will raise errors, so it is good
to check if the item exist in the given set. However, discard() method doesn't raise any errors.
# syntax
st = {'item1', 'item2', 'item3', 'item4'}
st.remove('item2')
The pop() methods remove a random item from a list and it returns the removed item.
Example:
# syntax
st = {'item1', 'item2', 'item3', 'item4'}
st.clear()
Example:
Deleting a Set
# syntax
st = {'item1', 'item2', 'item3', 'item4'}
del st
Example:
We can convert list to set and set to list. Converting list to set removes duplicates and only unique items will be reserved.
# syntax
lst = ['item1', 'item2', 'item3', 'item4', 'item1']
st = set(lst) # {'item2', 'item4', 'item1', 'item3'} - the order is random, because sets in general are unordered
Example:
Joining Sets
# syntax
st1 = {'item1', 'item2', 'item3', 'item4'}
st2 = {'item5', 'item6', 'item7', 'item8'}
st3 = st1.union(st2)
Example:
# syntax
st1 = {'item1', 'item2', 'item3', 'item4'}
st2 = {'item5', 'item6', 'item7', 'item8'}
st1.update(st2) # st2 contents are added to st1
Example:
Intersection returns a set of items which are in both the sets. See the example
# syntax
st1 = {'item1', 'item2', 'item3', 'item4'}
st2 = {'item3', 'item2'}
st1.intersection(st2) # {'item3', 'item2'}
Example:
Subset: issubset()
Super set: issuperset
# syntax
st1 = {'item1', 'item2', 'item3', 'item4'}
st2 = {'item2', 'item3'}
st2.issubset(st1) # True
st1.issuperset(st2) # True
Example:
# syntax
st1 = {'item1', 'item2', 'item3', 'item4'}
st2 = {'item2', 'item3'}
st2.difference(st1) # set()
st1.difference(st2) # {'item1', 'item4'} => st1\st2
Example:
It returns the the symmetric difference between two sets. It means that it returns a set that contains all items from both sets,
except items that are present in both sets, mathematically: (A\B) ∪ (B\A)
# syntax
st1 = {'item1', 'item2', 'item3', 'item4'}
st2 = {'item2', 'item3'}
# it means (A\B)∪(B\A)
st2.symmetric_difference(st1) # {'item1', 'item4'}
Example:
Joining Sets
If two sets do not have a common item or items we call them disjoint sets. We can check if two sets are joint or disjoint
using isdisjoint() method.
# syntax
st1 = {'item1', 'item2', 'item3', 'item4'}
st2 = {'item2', 'item3'}
st2.isdisjoint(st1) # False
Example:
🌕 You are a rising star . You have just completed day 7 challenges and you are 7 steps ahead in to your way to greatness. Now do
some exercises for your brain and muscles.
💻 Exercises: Day 7
# sets
it_companies = {'Facebook', 'Google', 'Microsoft', 'Apple', 'IBM', 'Oracle', 'Amazon'}
A = {19, 22, 24, 20, 25, 26}
B = {19, 22, 20, 25, 26, 24, 28, 27}
age = [22, 19, 24, 25, 26, 24, 25, 24]
Exercises: Level 1
Exercises: Level 2
1. Join A and B
2. Find A intersection B
3. Is A subset of B
4. Are A and B disjoint sets
5. Join A with B and B with A
6. What is the symmetric difference between A and B
7. Delete the sets completely
Exercises: Level 3
1. Convert the ages to a set and compare the length of the list and the set, which one is bigger?
2. Explain the difference between the following data types: string, list, tuple and set
3. I am a teacher and I love to inspire and teach people. How many unique words have been used in the sentence? Use the split methods
and set to get the unique words.
🎉 CONGRATULATIONS ! 🎉
📘 Day 8
o Dictionaries
Creating a Dictionary
Dictionary Length
Accessing Dictionary Items
Adding Items to a Dictionary
Modifying Items in a Dictionary
Checking Keys in a Dictionary
Removing Key and Value Pairs from a Dictionary
Changing Dictionary to a List of Items
Clearing a Dictionary
Deleting a Dictionary
Copy a Dictionary
Getting Dictionary Keys as a List
Getting Dictionary Values as a List
o 💻 Exercises: Day 8
📘 Day 8
Dictionaries
Creating a Dictionary
# syntax
empty_dict = {}
# Dictionary with data values
dct = {'key1':'value1', 'key2':'value2', 'key3':'value3', 'key4':'value4'}
Example:
person = {
'first_name':'Asabeneh',
'last_name':'Yetayeh',
'age':250,
'country':'Finland',
'is_marred':True,
'skills':['JavaScript', 'React', 'Node', 'MongoDB', 'Python'],
'address':{
'street':'Space street',
'zipcode':'02210'
}
}
The dictionary above shows that a value could be any data types:string, boolean, list, tuple, set or a dictionary.
Dictionary Length
# syntax
dct = {'key1':'value1', 'key2':'value2', 'key3':'value3', 'key4':'value4'}
print(len(dct)) # 4
Example:
person = {
'first_name':'Asabeneh',
'last_name':'Yetayeh',
'age':250,
'country':'Finland',
'is_marred':True,
'skills':['JavaScript', 'React', 'Node', 'MongoDB', 'Python'],
'address':{
'street':'Space street',
'zipcode':'02210'
}
}
print(len(person)) # 7
# syntax
dct = {'key1':'value1', 'key2':'value2', 'key3':'value3', 'key4':'value4'}
print(dct['key1']) # value1
print(dct['key4']) # value4
Example:
person = {
'first_name':'Asabeneh',
'last_name':'Yetayeh',
'age':250,
'country':'Finland',
'is_marred':True,
'skills':['JavaScript', 'React', 'Node', 'MongoDB', 'Python'],
'address':{
'street':'Space street',
'zipcode':'02210'
}
}
print(person['first_name']) # Asabeneh
print(person['country']) # Finland
print(person['skills']) # ['JavaScript', 'React', 'Node', 'MongoDB', 'Python']
print(person['skills'][0]) # JavaScript
print(person['address']['street']) # Space street
print(person['city']) # Error
Accessing an item by key name raises an error if the key does not exist. To avoid this error first we have to check if a key exist or
we can use the get method. The get method returns None, which is a NoneType object data type, if the key does not exist.
person = {
'first_name':'Asabeneh',
'last_name':'Yetayeh',
'age':250,
'country':'Finland',
'is_marred':True,
'skills':['JavaScript', 'React', 'Node', 'MongoDB', 'Python'],
'address':{
'street':'Space street',
'zipcode':'02210'
}
}
print(person.get('first_name')) # Asabeneh
print(person.get('country')) # Finland
print(person.get('skills')) #['HTML','CSS','JavaScript', 'React', 'Node', 'MongoDB', 'Python']
print(person.get('city')) # None
# syntax
dct = {'key1':'value1', 'key2':'value2', 'key3':'value3', 'key4':'value4'}
dct['key5'] = 'value5'
Example:
person = {
'first_name':'Asabeneh',
'last_name':'Yetayeh',
'age':250,
'country':'Finland',
'is_marred':True,
'skills':['JavaScript', 'React', 'Node', 'MongoDB', 'Python'],
'address':{
'street':'Space street',
'zipcode':'02210'
}
}
person['job_title'] = 'Instructor'
person['skills'].append('HTML')
print(person)
# syntax
dct = {'key1':'value1', 'key2':'value2', 'key3':'value3', 'key4':'value4'}
dct['key1'] = 'value-one'
Example:
person = {
'first_name':'Asabeneh',
'last_name':'Yetayeh',
'age':250,
'country':'Finland',
'is_marred':True,
'skills':['JavaScript', 'React', 'Node', 'MongoDB', 'Python'],
'address':{
'street':'Space street',
'zipcode':'02210'
}
}
person['first_name'] = 'Eyob'
person['age'] = 252
# syntax
dct = {'key1':'value1', 'key2':'value2', 'key3':'value3', 'key4':'value4'}
print('key2' in dct) # True
print('key5' in dct) # False
# syntax
dct = {'key1':'value1', 'key2':'value2', 'key3':'value3', 'key4':'value4'}
dct.pop('key1') # removes key1 item
dct = {'key1':'value1', 'key2':'value2', 'key3':'value3', 'key4':'value4'}
dct.popitem() # removes the last item
del dct['key2'] # removes key2 item
Example:
person = {
'first_name':'Asabeneh',
'last_name':'Yetayeh',
'age':250,
'country':'Finland',
'is_marred':True,
'skills':['JavaScript', 'React', 'Node', 'MongoDB', 'Python'],
'address':{
'street':'Space street',
'zipcode':'02210'
}
}
person.pop('first_name') # Removes the firstname item
person.popitem() # Removes the address item
del person['is_married'] # Removes the is_married item
# syntax
dct = {'key1':'value1', 'key2':'value2', 'key3':'value3', 'key4':'value4'}
print(dct.items()) # dict_items([('key1', 'value1'), ('key2', 'value2'), ('key3', 'value3'), ('key4', 'value4')])
Clearing a Dictionary
If we don't want the items in a dictionary we can clear them using clear() method
# syntax
dct = {'key1':'value1', 'key2':'value2', 'key3':'value3', 'key4':'value4'}
print(dct.clear()) # None
Deleting a Dictionary
# syntax
dct = {'key1':'value1', 'key2':'value2', 'key3':'value3', 'key4':'value4'}
del dct
Copy a Dictionary
We can copy a dictionary using a copy() method. Using copy we can avoid mutation of the original dictionary.
# syntax
dct = {'key1':'value1', 'key2':'value2', 'key3':'value3', 'key4':'value4'}
dct_copy = dct.copy() # {'key1':'value1', 'key2':'value2', 'key3':'value3', 'key4':'value4'}
# syntax
dct = {'key1':'value1', 'key2':'value2', 'key3':'value3', 'key4':'value4'}
keys = dct.keys()
print(keys) # dict_keys(['key1', 'key2', 'key3', 'key4'])
# syntax
dct = {'key1':'value1', 'key2':'value2', 'key3':'value3', 'key4':'value4'}
values = dct.values()
print(values) # dict_values(['value1', 'value2', 'value3', 'value4'])
🌕 You are astonishing. Now, you are super charged with the power of dictionaries. You have just completed day 8 challenges and
you are 8 steps a head in to your way to greatness. Now do some exercises for your brain and muscles.
💻 Exercises: Day 8
🎉 CONGRATULATIONS ! 🎉
📘 Day 9
o Conditionals
If Condition
If Else
If Elif Else
Short Hand
Nested Conditions
If Condition and Logical Operators
If and Or Logical Operators
o 💻 Exercises: Day 9
Exercises: Level 1
📘 Day 9
Conditionals
By default, statements in Python script are executed sequentially from top to bottom. If the processing logic require so, the
sequential flow of execution can be altered in two way:
Conditional execution: a block of one or more statements will be executed if a certain expression is true
Repetitive execution: a block of one or more statements will be repetitively executed as long as a certain expression is true. In this
section, we will cover if, else, elif statements. The comparison and logical operators we learned in previous sections will be useful here.
If Condition
In python and other programming languages the key word if is used to check if a condition is true and to execute the block code.
Remember the indentation after the colon.
# syntax
if condition:
this part of code runs for truthy conditions
Example: 1
a = 3
if a > 0:
print('A is a positive number')
# A is a positive number
As you can see in the example above, 3 is greater than 0. The condition was true and the block code was executed. However, if
the condition is false, we do not see the result. In order to see the result of the falsy condition, we should have another block,
which is going to be else.
If Else
If condition is true the first block will be executed, if not the else condition will run.
# syntax
if condition:
this part of code runs for truthy conditions
else:
this part of code runs for false conditions
**Example: **
a = 3
if a < 0:
print('A is a negative number')
else:
print('A is a positive number')
The condition above proves false, therefore the else block was executed. How about if our condition is more than two? We could
use _ elif_.
If Elif Else
In our daily life, we make decisions on daily basis. We make decisions not by checking one or two conditions but multiple
conditions. As similar to life, programming is also full of conditions. We use elif when we have multiple conditions.
# syntax
if condition:
code
elif condition:
code
else:
code
**Example: **
a = 0
if a > 0:
print('A is a positive number')
elif a < 0:
print('A is a negative number')
else:
print('A is zero')
Short Hand
# syntax
code if condition else code
**Example: **
a = 3
print('A is positive') if a > 0 else print('A is negative') # first condition met, 'A is positive' will be printed
Nested Conditions
# syntax
if condition:
code
if condition:
code
**Example: **
a = 0
if a > 0:
if a % 2 == 0:
print('A is a positive and even integer')
else:
print('A is a positive number')
elif a == 0:
print('A is zero')
else:
print('A is a negative number')
We can avoid writing nested condition by using logical operator and.
a = 0
if a > 0 and a % 2 == 0:
print('A is an even and positive integer')
elif a > 0 and a % 2 != 0:
print('A is a positive integer')
elif a == 0:
print('A is zero')
else:
print('A is negative')
🌕 You are doing great.Never give up because great things take time. You have just completed day 9 challenges and you are 9
steps a head in to your way to greatness. Now do some exercises for your brain and muscles.
💻 Exercises: Day 9
Exercises: Level 1
1. Get user input using input(“Enter your age: ”). If user is 18 or older, give feedback: You are old enough to drive. If below 18 give
feedback to wait for the missing amount of years. Output:
2. Enter your age: 30
3. You are old enough to learn to drive.
4. Output:
5. Enter your age: 15
You need 3 more years to learn to drive.
6. Compare the values of my_age and your_age using if … else. Who is older (me or you)? Use input(“Enter your age: ”) to get the age as
input. You can use a nested condition to print 'year' for 1 year difference in age, 'years' for bigger differences, and a custom text if
my_age = your_age. Output:
7. Enter your age: 30
You are 5 years older than me.
8. Get two numbers from the user using input prompt. If a is greater than b return a is greater than b, if a is less b return a is smaller
than b, else a is equal to b. Output:
6. Check if the season is Autumn, Winter, Spring or Summer. If the user input is: September, October or November, the
season is Autumn. December, January or February, the season is Winter. March, April or May, the season is Spring June,
July or August, the season is Summer
7. The following list contains some fruits:
If a fruit doesn't exist in the list add the fruit to the list and print the modified list. If the fruit exists print('That fruit already
exist in the list')
Exercises: Level 3
person={
'first_name': 'Asabeneh',
'last_name': 'Yetayeh',
'age': 250,
'country': 'Finland',
'is_marred': True,
'skills': ['JavaScript', 'React', 'Node', 'MongoDB', 'Python'],
'address': {
'street': 'Space street',
'zipcode': '02210'
}
}
* Check if the person dictionary has skills key, if so print out the middle skill in the skills list.
* Check if the person dictionary has skills key, if so check if the person has 'Python' skill and print out the result.
* If a person skills has only JavaScript and React, print('He is a front end developer'), if the person skills has Node,
Python, MongoDB, print('He is a backend developer'), if the person skills has React, Node and MongoDB, Print('He is a
fullstack developer'), else print('unknown title') - for more accurate results more conditions can be nested!
* If the person is married and if he lives in Finland, print the information in the following format:
Asabeneh Yetayeh lives in Finland. He is married.
🎉 CONGRATULATIONS ! 🎉
📘 Day 10
o Loops
While Loop
Break and Continue - Part 1
For Loop
Break and Continue - Part 2
The Range Function
Nested For Loop
For Else
Pass
o 💻 Exercises: Day 10
Exercises: Level 1
Exercises: Level 2
Exercises: Level 3
📘 Day 10
Loops
Life is full of routines. In programming we also do lots of repetitive tasks. In order to handle repetitive task programming
languages use loops. Python programming language also provides the following types of two loops:
1. while loop
2. for loop
While Loop
We use the reserved word while to make a while loop. It is used to execute a block of statements repeatedly until a given
condition is satisfied. When the condition becomes false, the lines of code after the loop will be continued to be executed.
# syntax
while condition:
code goes here
Example:
count = 0
while count < 5:
print(count)
count = count + 1
#prints from 0 to 4
In the above while loop, the condition becomes false when count is 5. That is when the loop stops. If we are interested to run
block of code once the condition is no longer true, we can use else.
# syntax
while condition:
code goes here
else:
code goes here
Example:
count = 0
while count < 5:
print(count)
count = count + 1
else:
print(count)
The above loop condition will be false when count is 5 and the loop stops, and execution starts the else statement. As a result 5
will be printed.
Break: We use break when we like to get out of or stop the loop.
# syntax
while condition:
code goes here
if another_condition:
break
Example:
count = 0
while count < 5:
print(count)
count = count + 1
if count == 3:
break
The above while loop only prints 0, 1, 2, but when it reaches 3 it stops.
Continue: With the continue statement we can skip the current iteration, and continue with the next:
# syntax
while condition:
code goes here
if another_condition:
continue
Example:
count = 0
while count < 5:
if count == 3:
count = count + 1
continue
print(count)
count = count + 1
The above while loop only prints 0, 1, 2 and 4 (skips 3).
For Loop
A for keyword is used to make a for loop, similar with other programming languages, but with some syntax differences. Loop is
used for iterating over a sequence (that is either a list, a tuple, a dictionary, a set, or a string).
# syntax
for iterator in lst:
code goes here
Example:
numbers = [0, 1, 2, 3, 4, 5]
for number in numbers: # number is temporary name to refer to the list's items, valid only inside this loop
print(number) # the numbers will be printed line by line, from 0 to 5
# syntax
for iterator in string:
code goes here
Example:
language = 'Python'
for letter in language:
print(letter)
for i in range(len(language)):
print(language[i])
# syntax
for iterator in tpl:
code goes here
Example:
numbers = (0, 1, 2, 3, 4, 5)
for number in numbers:
print(number)
For loop with dictionary Looping through a dictionary gives you the key of the dictionary.
# syntax
for iterator in dct:
code goes here
Example:
person = {
'first_name':'Asabeneh',
'last_name':'Yetayeh',
'age':250,
'country':'Finland',
'is_marred':True,
'skills':['JavaScript', 'React', 'Node', 'MongoDB', 'Python'],
'address':{
'street':'Space street',
'zipcode':'02210'
}
}
for key in person:
print(key)
Loops in set
# syntax
for iterator in st:
code goes here
Example:
Short reminder: Break: We use break when we like to stop our loop before it is completed.
# syntax
for iterator in sequence:
code goes here
if condition:
break
Example:
numbers = (0,1,2,3,4,5)
for number in numbers:
print(number)
if number == 3:
break
In the above example, the loop stops when it reaches 3.
Continue: We use continue when we like to skip some of the steps in the iteration of the loop.
# syntax
for iterator in sequence:
code goes here
if condition:
continue
Example:
numbers = (0,1,2,3,4,5)
for number in numbers:
print(number)
if number == 3:
continue
print('Next number should be ', number + 1) if number != 5 else print("loop's end") # for short hand conditions need
both if and else statements
print('outside the loop')
In the example above, if the number equals 3, the step after the condition (but inside the loop) is skipped and the execution of
the loop continues if there are any iterations left.
The Range Function
The range() function is used list of numbers. The range(start, end, step) takes three parameters: starting, ending and increment. By
default it starts from 0 and the increment is 1. The range sequence needs at least 1 argument (end). Creating sequences using
range
lst = list(range(11))
print(lst) # [0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
st = set(range(1, 11)) # 2 arguments indicate start and end of the sequence, step set to default 1
print(st) # {1, 2, 3, 4, 5, 6, 7, 8, 9, 10}
lst = list(range(0,11,2))
print(lst) # [0, 2, 4, 6, 8, 10]
st = set(range(0,11,2))
print(st) # {0, 2, 4, 6, 8, 10}
# syntax
for iterator in range(start, end, step):
Example:
# syntax
for x in y:
for t in x:
print(t)
Example:
person = {
'first_name': 'Asabeneh',
'last_name': 'Yetayeh',
'age': 250,
'country': 'Finland',
'is_marred': True,
'skills': ['JavaScript', 'React', 'Node', 'MongoDB', 'Python'],
'address': {
'street': 'Space street',
'zipcode': '02210'
}
}
for key in person:
if key == 'skills':
for skill in person['skills']:
print(skill)
For Else
If we want to execute some message when the loop ends, we use else.
# syntax
for iterator in range(start, end, step):
do something
else:
print('The loop ended')
Example:
Pass
In python when statement is required (after semicolon), but we don't like to execute any code there, we can write the
word pass to avoid errors. Also we can use it as a placeholder, for future statements.
Example:
🌕 You established a big milestone, you are unstoppable. Keep going! You have just completed day 10 challenges and you are 10
steps a head in to your way to greatness. Now do some exercises for your brain and muscles.
💻 Exercises: Day 10
Exercises: Level 1
29. Iterate through the list, ['Python', 'Numpy','Pandas','Django', 'Flask'] using a for loop and print out the items.
30. Use for loop to iterate from 0 to 100 and print only even numbers
31. Use for loop to iterate from 0 to 100 and print only odd numbers
Exercises: Level 2
1. Use for loop to iterate from 0 to 100 and print the sum of all numbers.
1. Use for loop to iterate from 0 to 100 and print the sum of all evens and the sum of all odds.
The sum of all evens is 2550. And the sum of all odds is 2500.
Exercises: Level 3
1. Go to the data folder and use the countries.py file. Loop through the countries and extract all the countries containing the word land.
2. This is a fruit list, ['banana', 'orange', 'mango', 'lemon'] reverse the order using loop.
3. Go to the data folder and use the countries_data.py file.
i. What are the total number of languages in the data
ii. Find the ten most spoken languages from the data
iii. Find the 10 most populated countries in the world
🎉 CONGRATULATIONS ! 🎉
📘 Day 11
o Functions
Defining a Function
Declaring and Calling a Function
Function without Parameters
Function Returning a Value - Part 1
Function with Parameters
Passing Arguments with Key and Value
Function Returning a Value - Part 2
Function with Default Parameters
Arbitrary Number of Arguments
Default and Arbitrary Number of Parameters in Functions
Function as a Parameter of Another Function
o 💻 Exercises: Day 11
Exercises: Level 1
Exercises: Level 2
Exercises: Level 3
📘 Day 11
Functions So far we have seen many built-in Python functions. In this section, we will focus on custom functions. What
is a function? Before we start making functions, let us learn what a function is and why we need them?
Defining a Function
A function is a reusable block of code or programming statements designed to perform a certain task. To define or declare a
function, Python provides the def keyword. The following is the syntax for defining a function. The function block of code is
executed only if the function is called or invoked.
When we make a function, we call it declaring a function. When we start using the it, we call it calling or invoking a function.
Function can be declared with or without parameters.
# syntax
# Declaring a function
def function_name():
codes
codes
# Calling a function
function_name()
Example:
Function can also return values, if a function does not have a return statement, the value of the function is None. Let us rewrite
the above functions using return. From now on, we get a value from a function when we call the function and print it.
In a function we can pass different data types(number, string, boolean, list, tuple, dictionary or set) as a parameter
Single Parameter: If our function takes a parameter we should call our function with an argument
# syntax
# Declaring a function
def function_name(parameter):
codes
codes
# Calling function
print(function_name(argument))
Example:
Two Parameter: A function may or may not have a parameter or parameters. A function may also have two or more parameters. If our
function takes parameters we should call it with arguments. Let us check a function with two parameters:
# syntax
# Declaring a function
def function_name(para1, para2):
codes
codes
# Calling function
print(function_name(arg1, arg2))
Example:
If we pass the arguments with key and value, the order of the arguments does not matter.
# syntax
# Declaring a function
def function_name(para1, para2):
codes
codes
# Calling function
print(function_name(para1 = 'John', para2 = 'Doe')) # the order of arguments does not matter here
Example:
If we do not return a value with a function, then our function is returning None by default. To return a value with a function we
use the keyword return followed by the variable we are returning. We can return any kind of data types from a function.
def print_name(firstname):
return firstname
print_name('Asabeneh') # Asabeneh
def print_full_name(firstname, lastname):
space = ' '
full_name = firstname + space + lastname
return full_name
print_full_name(firstname='Asabeneh', lastname='Yetayeh')
Returning a number:
Example:
def find_even_numbers(n):
evens = []
for i in range(n + 1):
if i % 2 == 0:
evens.append(i)
return evens
print(find_even_numbers(10))
Sometimes we pass default values to parameters, when we invoke the function. If we do not pass arguments when calling the
function, their default values will be used.
# syntax
# Declaring a function
def function_name(param = value):
codes
codes
# Calling function
function_name()
function_name(arg)
Example:
If we do not know the number of arguments we pass to our function, we can create a function which can take arbitrary number
of arguments by adding * before the parameter name.
# syntax
# Declaring a function
def function_name(*args):
codes
codes
# Calling function
function_name(param1, param2, param3,..)
Example:
def sum_all_nums(*nums):
total = 0
for num in nums:
total += num # same as total = total + num
return total
print(sum_all_nums(2, 3, 5)) # 10
🌕 You achieved quite a lot so far. Keep going! You have just completed day 11 challenges and you are 11 steps a head in to your
way to greatness. Now do some exercises for your brain and muscles.
Testimony
Now it is time to express your thoughts about the Author and 30DaysOfPython. You can leave your testimonial on this link
💻 Exercises: Day 11
Exercises: Level 1
print(reverse_list([1, 2, 3, 4, 5]))
# [5, 4, 3, 2, 1]
print(reverse_list1(["A", "B", "C"]))
# ["C", "B", "A"]
10. Declare a function named capitalize_list_items. It takes a list as a parameter and it returns a capitalized list of items
11. Declare a function named add_item. It takes a list and an item parameters. It returns a list with the item added at the end.
12. Declare a function named remove_item. It takes a list and an item parameters. It returns a list with the item removed from it.
13. Declare a function named sum_of_numbers. It takes a number parameter and it adds all the numbers in that range.
print(sum_of_numbers(5)) # 15
print(sum_all_numbers(10)) # 55
print(sum_all_numbers(100)) # 5050
14. Declare a function named sum_of_odds. It takes a number parameter and it adds all the odd numbers in that range.
15. Declare a function named sum_of_even. It takes a number parameter and it adds all the even numbers in that - range.
Exercises: Level 2
1. Declare a function named evens_and_odds . It takes a positive integer as parameter and it counts number of evens and odds in the
number.
print(evens_and_odds(100))
# The number of odds are 50.
# The number of evens are 51.
1. Call your function factorial, it takes a whole number as a parameter and it return a factorial of the number
2. Call your function is_empty, it takes a parameter and it checks if it is empty or not
3. Write different functions which take lists. They should calculate_mean, calculate_median, calculate_mode, calculate_range,
calculate_variance, calculate_std (standard deviation).
Exercises: Level 3
Create a function called the most_spoken_languages in the world. It should return 10 or 20 most spoken languages in the world in
descending order
Create a function called the most_populated_countries. It should return 10 or 20 most populated countries in descending order.
🎉 CONGRATULATIONS ! 🎉
📘 Day 12
o Modules
What is a Module
Creating a Module
Importing a Module
Import Functions from a Module
Import Functions from a Module and Renaming
o Import Built-in Modules
OS Module
Sys Module
Statistics Module
Math Module
String Module
Random Module
o 💻 Exercises: Day 12
Exercises: Level 1
Exercises: Level 2
Exercises: Level 3
📘 Day 12
Modules
What is a Module
A module is a file containing a set of codes or a set of functions which can be included to an application. A module could be a
file containing a single variable, a function or a big code base.
Creating a Module
To create a module we write our codes in a python script and we save it as a .py file. Create a file named mymodule.py inside
your project folder. Let us write some code in this file.
# mymodule.py file
def generate_full_name(firstname, lastname):
return firstname + ' ' + lastname
Create main.py file in your project directory and import the mymodule.py file.
Importing a Module
To import the file we use the import keyword and the name of the file only.
# main.py file
import mymodule
print(mymodule.generate_full_name('Asabeneh', 'Yetayeh')) # Asabeneh Yetayeh
We can have many functions in a file and we can import all the functions differently.
# main.py file
from mymodule import generate_full_name, sum_two_nums, person, gravity
print(generate_full_name('Asabneh','Yetayeh'))
print(sum_two_nums(1,9))
mass = 100;
weight = mass * gravity
print(weight)
print(person['firstname'])
# main.py file
from mymodule import generate_full_name as fullname, sum_two_nums as total, person as p, gravity as g
print(fullname('Asabneh','Yetayeh'))
print(total(1, 9))
mass = 100;
weight = mass * g
print(weight)
print(p)
print(p['firstname'])
Like other programming languages we can also import modules by importing the file/function using the key word import. Let's
import the common module we will use most of the time. Some of the common built-in
modules: math, datetime, os,sys, random, statistics, collections, json,re
OS Module
Using python os module it is possible to automatically perform many operating system tasks. The OS module in Python provides
functions for creating, changing current working directory, and removing a directory (folder), fetching its contents, changing and
identifying the current directory.
Sys Module
The sys module provides functions and variables used to manipulate different parts of the Python runtime environment. Function
sys.argv returns a list of command line arguments passed to a Python script. The item at index 0 in this list is always the name of
the script, at index 1 is the argument passed from the command line.
import sys
#print(sys.argv[0], argv[1],sys.argv[2]) # this line would print out: filename argument1 argument2
print('Welcome {}. Enjoy {} challenge!'.format(sys.argv[1], sys.argv[2]))
Now to check how this script works I wrote in command line:
# to exit sys
sys.exit()
# To know the largest integer variable it takes
sys.maxsize
# To know environment path
sys.path
# To know the version of python you are using
sys.version
Statistics Module
The statistics module provides functions for mathematical statistics of numeric data. The popular statistical functions which are
defined in this module: mean, median, mode, stdev etc.
Math Module
import math
print(math.pi) # 3.141592653589793, pi constant
print(math.sqrt(2)) # 1.4142135623730951, square root
print(math.pow(2, 3)) # 8.0, exponential function
print(math.floor(9.81)) # 9, rounding to the lowest
print(math.ceil(9.81)) # 10, rounding to the highest
print(math.log10(100)) # 2, logarithm with 10 as base
Now, we have imported the math module which contains lots of function which can help us to perform mathematical
calculations. To check what functions the module has got, we can use help(math), or dir(math). This will display the available
functions in the module. If we want to import only a specific function from the module we import it as follows:
String Module
A string module is a useful module for many purposes. The example below shows some use of the string module.
import string
print(string.ascii_letters) # abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ
print(string.digits) # 0123456789
print(string.punctuation) # !"#$%&'()*+,-./:;<=>?@[\]^_`{|}~
Random Module
By now you are familiar with importing modules. Let us do one more import to get very familiar with it. Let us
import random module which gives us a random number between 0 and 0.9999.... The random module has lots of functions but
in this section we will only use random and randint.
🌕 You are going far. Keep going! You have just completed day 12 challenges and you are 12 steps a head in to your way to
greatness. Now do some exercises for your brain and muscles.
💻 Exercises: Day 12
Exercises: Level 1
print(user_id_gen_by_user()) # 16 5
#1GCSgPLMaBAVQZ26
#YD7eFwNQKNs7qXaT
#ycArC5yrRupyG00S
#UbGxOFI7UXSWAyKN
#dIV0SSUTgAdKwStr
3. Write a function named rgb_color_gen. It will generate rgb colors (3 values ranging from 0 to 255 each).
print(rgb_color_gen())
# rgb(125,244,255) - the output should be in this form
Exercises: Level 2
1. Write a function list_of_hexa_colors which returns any number of hexadecimal colors in an array (six hexadecimal numbers written
after #. Hexadecimal numeral system is made out of 16 symbols, 0-9 and first 6 letters of the alphabet, a-f. Check the task 6 for output
examples).
2. Write a function list_of_rgb_colors which returns any number of RGB colors in an array.
3. Write a function generate_colors which can generate any number of hexa or rgb colors.
generate_colors('hexa', 3) # ['#a3e12f','#03ed55','#eb3d2b']
generate_colors('hexa', 1) # ['#b334ef']
generate_colors('rgb', 3) # ['rgb(5, 55, 175','rgb(50, 105, 100','rgb(15, 26, 80']
generate_colors('rgb', 1) # ['rgb(33,79, 176)']
Exercises: Level 3
1. Call your function shuffle_list, it takes a list as a parameter and it returns a shuffled list
2. Write a function which returns an array of seven random numbers in a range of 0-9. All the numbers must be unique.
🎉 CONGRATULATIONS ! 🎉
📘 Day 13
o List Comprehension
o Lambda Function
Creating a Lambda Function
Lambda Function Inside Another Function
o 💻 Exercises: Day 13
📘 Day 13
List Comprehension
List comprehension in Python is a compact way of creating a list from a sequence. It is a short way to create a new list. List
comprehension is considerably faster than processing a list using the for loop.
# syntax
[i for i in iterable if expression]
Example:1
For instance if you want to change a string to a list of characters. You can use a couple of methods. Let's see some of them:
# One way
language = 'Python'
lst = list(language) # changing the string to list
print(type(lst)) # list
print(lst) # ['P', 'y', 't', 'h', 'o', 'n']
# Generating numbers
numbers = [i for i in range(11)] # to generate numbers from 0 to 10
print(numbers) # [0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
# It is possible to do mathematical operations during iteration
squares = [i * i for i in range(11)]
print(squares) # [0, 1, 4, 9, 16, 25, 36, 49, 64, 81, 100]
Lambda Function
Lambda function is a small anonymous function without a name. It can take any number of arguments, but can only have one
expression. Lambda function is similar to anonymous functions in JavaScript. We need it when we want to write an anonymous
function inside another function.
To create a lambda function we use lambda keyword followed by a parameter(s), followed by an expression. See the syntax and
the example below. Lambda function does not use return but it explicitly returns the expression.
# syntax
x = lambda param1, param2, param3: param1 + param2 + param2
print(x(arg1, arg2, arg3))
Example:
# Named function
def add_two_nums(a, b):
return a + b
print(add_two_nums(2, 3)) # 5
# Lets change the above function to a lambda function
add_two_nums = lambda a, b: a + b
print(add_two_nums(2,3)) # 5
# Self invoking lambda function
(lambda a, b: a + b)(2,3) # 5 - need to encapsulate it in print() to see the result in the console
square = lambda x : x ** 2
print(square(3)) # 9
cube = lambda x : x ** 3
print(cube(3)) # 27
# Multiple variables
multiple_variable = lambda a, b, c: a ** 2 - 3 * b + 4 * c
print(multiple_variable(5, 5, 3)) # 22
def power(x):
return lambda n : x ** n
cube = power(2)(3) # function power now need 2 arguments to run, in separate rounded brackets
print(cube) # 8
two_power_of_five = power(2)(5)
print(two_power_of_five) # 32
🌕 Keep up the good work. Keep the momentum going, the sky is the limit! You have just completed day 13 challenges and you
are 13 steps a head in to your way to greatness. Now do some exercises for your brain and muscles.
💻 Exercises: Day 13
1. Filter only negative and zero in the list using list comprehension
28. Write a lambda function which can solve a slope or y-intercept of linear functions.
🎉 CONGRATULATIONS ! 🎉
📘 Day 14
o Higher Order Functions
Function as a Parameter
Function as a Return Value
o Python Closures
o Python Decorators
Creating Decorators
Applying Multiple Decorators to a Single Function
Accepting Parameters in Decorator Functions
o Built-in Higher Order Functions
Python - Map Function
Python - Filter Function
Python - Reduce Function
o 💻 Exercises: Day 14
Exercises: Level 1
Exercises: Level 2
Exercises: Level 3
📘 Day 14
Higher Order Functions
In Python functions are treated as first class citizens, allowing you to perform the following operations on functions:
Function as a Parameter
def sum_numbers(nums): # normal function
return sum(nums) # a sad function abusing the built-in sum function :<
result = higher_order_function('square')
print(result(3)) # 9
result = higher_order_function('cube')
print(result(3)) # 27
result = higher_order_function('absolute')
print(result(-3)) # 3
You can see from the above example that the higher order function is returning different functions depending on the passed
parameter
Python Closures
Python allows a nested function to access the outer scope of the enclosing function. This is is known as a Closure. Let us have a
look at how closures work in Python. In Python, closure is created by nesting a function inside another encapsulating function
and then returning the inner function. See the example below.
Example:
def add_ten():
ten = 10
def add(num):
return num + ten
return add
closure_result = add_ten()
print(closure_result(5)) # 15
print(closure_result(10)) # 20
Python Decorators
A decorator is a design pattern in Python that allows a user to add new functionality to an existing object without modifying its
structure. Decorators are usually called before the definition of a function you want to decorate.
Creating Decorators
To create a decorator function, we need an outer function with an inner wrapper function.
Example:
# Normal function
def greeting():
return 'Welcome to Python'
def uppercase_decorator(function):
def wrapper():
func = function()
make_uppercase = func.upper()
return make_uppercase
return wrapper
g = uppercase_decorator(greeting)
print(g()) # WELCOME TO PYTHON
# First Decorator
def uppercase_decorator(function):
def wrapper():
func = function()
make_uppercase = func.upper()
return make_uppercase
return wrapper
# Second decorator
def split_string_decorator(function):
def wrapper():
func = function()
splitted_string = func.split()
return splitted_string
return wrapper
@split_string_decorator
@uppercase_decorator # order with decorators is important in this case - .upper() function does not work with lists
def greeting():
return 'Welcome to Python'
print(greeting()) # WELCOME TO PYTHON
Most of the time we need our functions to take parameters, so we might need to define a decorator that accepts parameters.
def decorator_with_parameters(function):
def wrapper_accepting_parameters(para1, para2, para3):
function(para1, para2, para3)
print("I live in {}".format(para3))
return wrapper_accepting_parameters
@decorator_with_parameters
def print_full_name(first_name, last_name, country):
print("I am {} {}. I love to teach.".format(
first_name, last_name, country))
print_full_name("Asabeneh", "Yetayeh",'Finland')
Some of the built-in higher order functions that we cover in this part are map(), filter, and reduce. Lambda function can be passed
as a parameter and the best use case of lambda functions is in functions like map, filter and reduce.
The map() function is a built-in function that takes a function and iterable as parameters.
# syntax
map(function, iterable)
Example:1
def change_to_upper(name):
return name.upper()
The filter() function calls the specified function which returns boolean for each item of the specified iterable (list). It filters the
items that satisfy the filtering criteria.
# syntax
filter(function, iterable)
Example:1
def is_even(num):
if num % 2 == 0:
return True
return False
even_numbers = filter(is_even, numbers)
print(list(even_numbers)) # [2, 4]
Example:2
The reduce() function is defined in the functools module and we should import it from this module. Like map and filter it takes
two parameters, a function and an iterable. However, it does not return another iterable, instead it returns a single
value. Example:1
💻 Exercises: Day 14
Exercises: Level 1
Exercises: Level 2
1. Use map to create a new list by changing each country to uppercase in the countries list
2. Use map to create a new list by changing each number to its square in the numbers list
3. Use map to change each name to uppercase in the names list
4. Use filter to filter out countries containing 'land'.
5. Use filter to filter out countries having exactly six characters.
6. Use filter to filter out countries containing six letters and more in the country list.
7. Use filter to filter out countries starting with an 'E'
8. Chain two or more list iterators (eg. arr.map(callback).filter(callback).reduce(callback))
9. Declare a function called get_string_lists which takes a list as a parameter and then returns a list containing only string items.
10. Use reduce to sum all the numbers in the numbers list.
11. Use reduce to concatenate all the countries and to produce this sentence: Estonia, Finland, Sweden, Denmark, Norway, and Iceland
are north European countries
12. Declare a function called categorize_countries that returns a list of countries with some common pattern (you can find the countries
list in this repository as countries.js(eg 'land', 'ia', 'island', 'stan')).
13. Create a function returning a dictionary, where keys stand for starting letters of countries and values are the number of country
names starting with that letter.
14. Declare a get_first_ten_countries function - it returns a list of first ten countries from the countries.js list in the data folder.
15. Declare a get_last_ten_countries function that returns the last ten countries in the countries list.
Exercises: Level 3
🎉 CONGRATULATIONS ! 🎉
📘 Day 15
o Python Error Types
SyntaxError
NameError
IndexError
ModuleNotFoundError
AttributeError
KeyError
TypeError
ImportError
ValueError
ZeroDivisionError
o 💻 Exercises: Day 15
📘 Day 15
Python Error Types
When we write code it is common that we make a typo or some other common error. If our code fails to run, the Python
interpreter will display a message, containing feedback with information on where the problem occurs and the type of an error. It
will also sometimes gives us suggestions on a possible fix. Understanding different types of errors in programming languages will
help us to debug our code quickly and also it makes us better at what we do.
Let us see the most common error types one by one. First let us open our Python interactive shell. Go to your you computer
terminal and write 'python'. The python interactive shell will be opened.
SyntaxError
Example 1: SyntaxError
asabeneh@Asabeneh:~$ python
Python 3.9.6 (default, Jun 28 2021, 15:26:21)
[Clang 11.0.0 (clang-1100.0.33.8)] on darwin
Type "help", "copyright", "credits" or "license" for more information.
>>> print 'hello world'
File "<stdin>", line 1
print 'hello world'
^
SyntaxError: Missing parentheses in call to 'print'. Did you mean print('hello world')?
>>>
As you can see we made a syntax error because we forgot to enclose the string with parenthesis and Python already suggests the
solution. Let us fix it.
asabeneh@Asabeneh:~$ python
Python 3.9.6 (default, Jun 28 2021, 15:26:21)
[Clang 11.0.0 (clang-1100.0.33.8)] on darwin
Type "help", "copyright", "credits" or "license" for more information.
>>> print 'hello world'
File "<stdin>", line 1
print 'hello world'
^
SyntaxError: Missing parentheses in call to 'print'. Did you mean print('hello world')?
>>> print('hello world')
hello world
>>>
The error was a SyntaxError. After the fix our code was executed without a hitch. Let see more error types.
NameError
Example 1: NameError
asabeneh@Asabeneh:~$ python
Python 3.9.6 (default, Jun 28 2021, 15:26:21)
[Clang 11.0.0 (clang-1100.0.33.8)] on darwin
Type "help", "copyright", "credits" or "license" for more information.
>>> print(age)
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
NameError: name 'age' is not defined
>>>
As you can see from the message above, name age is not defined. Yes, it is true that we did not define an age variable but we
were trying to print it out as if we had had declared it. Now, lets fix this by declaring it and assigning with a value.
asabeneh@Asabeneh:~$ python
Python 3.9.6 (default, Jun 28 2021, 15:26:21)
[Clang 11.0.0 (clang-1100.0.33.8)] on darwin
Type "help", "copyright", "credits" or "license" for more information.
>>> print(age)
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
NameError: name 'age' is not defined
>>> age = 25
>>> print(age)
25
>>>
The type of error was a NameError. We debugged the error by defining the variable name.
IndexError
Example 1: IndexError
asabeneh@Asabeneh:~$ python
Python 3.9.6 (default, Jun 28 2021, 15:26:21)
[Clang 11.0.0 (clang-1100.0.33.8)] on darwin
Type "help", "copyright", "credits" or "license" for more information.
>>> numbers = [1, 2, 3, 4, 5]
>>> numbers[5]
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
IndexError: list index out of range
>>>
In the example above, Python raised an IndexError, because the list has only indexes from 0 to 4 , so it was out of range.
ModuleNotFoundError
Example 1: ModuleNotFoundError
asabeneh@Asabeneh:~$ python
Python 3.9.6 (default, Jun 28 2021, 15:26:21)
[Clang 11.0.0 (clang-1100.0.33.8)] on darwin
Type "help", "copyright", "credits" or "license" for more information.
>>> import maths
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
ModuleNotFoundError: No module named 'maths'
>>>
In the example above, I added an extra s to math deliberately and ModuleNotFoundError was raised. Lets fix it by removing the
extra s from math.
asabeneh@Asabeneh:~$ python
Python 3.9.6 (default, Jun 28 2021, 15:26:21)
[Clang 11.0.0 (clang-1100.0.33.8)] on darwin
Type "help", "copyright", "credits" or "license" for more information.
>>> import maths
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
ModuleNotFoundError: No module named 'maths'
>>> import math
>>>
We fixed it, so let's use some of the functions from the math module.
AttributeError
Example 1: AttributeError
asabeneh@Asabeneh:~$ python
Python 3.9.6 (default, Jun 28 2021, 15:26:21)
[Clang 11.0.0 (clang-1100.0.33.8)] on darwin
Type "help", "copyright", "credits" or "license" for more information.
>>> import maths
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
ModuleNotFoundError: No module named 'maths'
>>> import math
>>> math.PI
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
AttributeError: module 'math' has no attribute 'PI'
>>>
As you can see, I made a mistake again! Instead of pi, I tried to call a PI function from maths module. It raised an attribute error, it
means, that the function does not exist in the module. Lets fix it by changing from PI to pi.
asabeneh@Asabeneh:~$ python
Python 3.9.6 (default, Jun 28 2021, 15:26:21)
[Clang 11.0.0 (clang-1100.0.33.8)] on darwin
Type "help", "copyright", "credits" or "license" for more information.
>>> import maths
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
ModuleNotFoundError: No module named 'maths'
>>> import math
>>> math.PI
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
AttributeError: module 'math' has no attribute 'PI'
>>> math.pi
3.141592653589793
>>>
Now, when we call pi from the math module we got the result.
KeyError
Example 1: KeyError
asabeneh@Asabeneh:~$ python
Python 3.9.6 (default, Jun 28 2021, 15:26:21)
[Clang 11.0.0 (clang-1100.0.33.8)] on darwin
Type "help", "copyright", "credits" or "license" for more information.
>>> users = {'name':'Asab', 'age':250, 'country':'Finland'}
>>> users['name']
'Asab'
>>> users['county']
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
KeyError: 'county'
>>>
As you can see, there was a typo in the key used to get the dictionary value. so, this is a key error and the fix is quite straight
forward. Let's do this!
asabeneh@Asabeneh:~$ python
Python 3.9.6 (default, Jun 28 2021, 15:26:21)
[Clang 11.0.0 (clang-1100.0.33.8)] on darwin
Type "help", "copyright", "credits" or "license" for more information.
>>> user = {'name':'Asab', 'age':250, 'country':'Finland'}
>>> user['name']
'Asab'
>>> user['county']
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
KeyError: 'county'
>>> user['country']
'Finland'
>>>
We debugged the error, our code ran and we got the value.
TypeError
Example 1: TypeError
asabeneh@Asabeneh:~$ python
Python 3.9.6 (default, Jun 28 2021, 15:26:21)
[Clang 11.0.0 (clang-1100.0.33.8)] on darwin
Type "help", "copyright", "credits" or "license" for more information.
>>> 4 + '3'
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
TypeError: unsupported operand type(s) for +: 'int' and 'str'
>>>
In the example above, a TypeError is raised because we cannot add a number to a string. First solution would be to convert the
string to int or float. Another solution would be converting the number to a string (the result then would be '43'). Let us follow
the first fix.
asabeneh@Asabeneh:~$ python
Python 3.9.6 (default, Jun 28 2021, 15:26:21)
[Clang 11.0.0 (clang-1100.0.33.8)] on darwin
Type "help", "copyright", "credits" or "license" for more information.
>>> 4 + '3'
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
TypeError: unsupported operand type(s) for +: 'int' and 'str'
>>> 4 + int('3')
7
>>> 4 + float('3')
7.0
>>>
Error removed and we got the result we expected.
ImportError
Example 1: TypeError
asabeneh@Asabeneh:~$ python
Python 3.9.6 (default, Jun 28 2021, 15:26:21)
[Clang 11.0.0 (clang-1100.0.33.8)] on darwin
Type "help", "copyright", "credits" or "license" for more information.
>>> from math import power
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
ImportError: cannot import name 'power' from 'math'
>>>
There is no function called power in the math module, it goes with a different name: pow. Let's correct it:
asabeneh@Asabeneh:~$ python
Python 3.9.6 (default, Jun 28 2021, 15:26:21)
[Clang 11.0.0 (clang-1100.0.33.8)] on darwin
Type "help", "copyright", "credits" or "license" for more information.
>>> from math import power
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
ImportError: cannot import name 'power' from 'math'
>>> from math import pow
>>> pow(2,3)
8.0
>>>
ValueError
asabeneh@Asabeneh:~$ python
Python 3.9.6 (default, Jun 28 2021, 15:26:21)
[Clang 11.0.0 (clang-1100.0.33.8)] on darwin
Type "help", "copyright", "credits" or "license" for more information.
>>> int('12a')
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
ValueError: invalid literal for int() with base 10: '12a'
>>>
In this case we cannot change the given string to a number, because of the 'a' letter in it.
ZeroDivisionError
asabeneh@Asabeneh:~$ python
Python 3.9.6 (default, Jun 28 2021, 15:26:21)
[Clang 11.0.0 (clang-1100.0.33.8)] on darwin
Type "help", "copyright", "credits" or "license" for more information.
>>> 1/0
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
ZeroDivisionError: division by zero
>>>
We cannot divide a number by zero.
We have covered some of the python error types, if you want to check more about it check the python documentation about
python error types. If you are good at reading the error types then you will be able to fix your bugs fast and you will also become
a better programmer.
🌕 You are excelling. You made it to half way to your way to greatness. Now do some exercises for your brain and for your muscle.
💻 Exercises: Day 15
1. Open you python interactive shell and try all the examples covered in this section.
🎉 CONGRATULATIONS ! 🎉
📘 Day 16
o Python datetime
Getting datetime Information
Formatting Date Output Using strftime
String to Time Using strptime
Using date from datetime
Time Objects to Represent Time
Difference Between Two Points in Time Using
Difference Between Two Points in Time Using timedelata
o 💻 Exercises: Day 16
📘 Day 16
Python datetime
import datetime
print(dir(datetime))
['MAXYEAR', 'MINYEAR', '__builtins__', '__cached__', '__doc__', '__file__', '__loader__', '__name__', '__package__',
'__spec__', 'date', 'datetime', 'datetime_CAPI', 'sys', 'time', 'timedelta', 'timezone', 'tzinfo']
With dir or help built-in commands it is possible to know the available functions in a certain module. As you can see, in the
datetime module there are many functions, but we will focus on date, datetime, time and timedelta. Let se see them one by one.
🌕 You are an extraordinary. You are 16 steps a head to your way to greatness. Now do some exercises for your brain and muscles.
💻 Exercises: Day 16
1. Get the current day, month, year, hour, minute and timestamp from datetime module
2. Format the current date using this format: "%m/%d/%Y, %H:%M:%S")
3. Today is 5 December, 2019. Change this time string to time.
4. Calculate the time difference between now and new year.
5. Calculate the time difference between 1 January 1970 and now.
6. Think, what can you use the datetime module for? Examples:
o Time series analysis
o To get a timestamp of any activities in an application
o Adding posts on a blog
🎉 CONGRATULATIONS ! 🎉
📘 Day 17
o Exception Handling
o Packing and Unpacking Arguments in Python
Unpacking
Unpacking Lists
Unpacking Dictionaries
Packing
Packing Lists
Packing Dictionaries
o Spreading in Python
o Enumerate
o Zip
o Exercises: Day 17
📘 Day 17
Exception Handling
Python uses try and except to handle errors gracefully. A graceful exit (or graceful handling) of errors is a simple programming
idiom - a program detects a serious error condition and "exits gracefully", in a controlled manner as a result. Often the program
prints a descriptive error message to a terminal or log as part of the graceful exit, this makes our application more robust. The
cause of an exception is often external to the program itself. An example of exceptions could be an incorrect input, wrong file
name, unable to find a file, a malfunctioning IO device. Graceful handling of errors prevents our applications from crashing.
We have covered the different Python error types in the previous section. If we use try and except in our program, then it will not
raise errors in those blocks.
try:
code in this block if things go well
except:
code in this block run if things go wrong
Example:
try:
print(10 + '5')
except:
print('Something went wrong')
In the example above the second operand is a string. We could change it to float or int to add it with the number to make it
work. But without any changes, the second block, except, will be executed.
Example:
try:
name = input('Enter your name:')
year_born = input('Year you were born:')
age = 2019 - year_born
print(f'You are {name}. And your age is {age}.')
except:
print('Something went wrong')
Something went wrong
In the above example, the exception block will run and we do not know exactly the problem. To analyze the problem, we can use
the different error types with except.
In the following example, it will handle the error and will also tell us the kind of error raised.
try:
name = input('Enter your name:')
year_born = input('Year you were born:')
age = 2019 - year_born
print(f'You are {name}. And your age is {age}.')
except TypeError:
print('Type error occured')
except ValueError:
print('Value error occured')
except ZeroDivisionError:
print('zero division error occured')
Enter your name:Asabeneh
Year you born:1920
Type error occured
In the code above the output is going to be TypeError. Now, let's add an additional block:
try:
name = input('Enter your name:')
year_born = input('Year you born:')
age = 2019 - int(year_born)
print('You are {name}. And your age is {age}.')
except TypeError:
print('Type error occur')
except ValueError:
print('Value error occur')
except ZeroDivisionError:
print('zero division error occur')
else:
print('I usually run with the try block')
finally:
print('I alway run.')
Enter your name:Asabeneh
Year you born:1920
You are Asabeneh. And your age is 99.
I usually run with the try block
I alway run.
It is also shorten the above code as follows:
try:
name = input('Enter your name:')
year_born = input('Year you born:')
age = 2019 - int(year_born)
print('You are {name}. And your age is {age}.')
except Exception as e:
print(e)
* for tuples
** for dictionaries
Let us take as an example below. It takes only arguments but we have list. We can unpack the list and changes to argument.
Unpacking
Unpacking Lists
lst = [1, 2, 3, 4, 5]
print(sum_of_five_nums(lst)) # TypeError: sum_of_five_nums() missing 4 required positional arguments: 'b', 'c', 'd', and 'e'
When we run the this code, it raises an error, because this function takes numbers (not a list) as arguments. Let us
unpack/destructure the list.
lst = [1, 2, 3, 4, 5]
print(sum_of_five_nums(*lst)) # 15
We can also use unpacking in the range built-in function that expects a start and an end.
numbers = range(2, 7) # normal call with separate arguments
print(list(numbers)) # [2, 3, 4, 5, 6]
args = [2, 7]
numbers = range(*args) # call with arguments unpacked from a list
print(numbers) # [2, 3, 4, 5,6]
A list or a tuple can also be unpacked like this:
Unpacking Dictionaries
Packing
Sometimes we never know how many arguments need to be passed to a python function. We can use the packing method to
allow our function to take unlimited number or arbitrary number of arguments.
Packing Lists
def sum_all(*args):
s = 0
for i in args:
s += i
return s
print(sum_all(1, 2, 3)) # 6
print(sum_all(1, 2, 3, 4, 5, 6, 7)) # 28
Packing Dictionaries
def packing_person_info(**kwargs):
# check the type of kwargs and it is a dict type
# print(type(kwargs))
# Printing dictionary items
for key in kwargs:
print(f"{key} = {kwargs[key]}")
return kwargs
print(packing_person_info(name="Asabeneh",
country="Finland", city="Helsinki", age=250))
name = Asabeneh
country = Finland
city = Helsinki
age = 250
{'name': 'Asabeneh', 'country': 'Finland', 'city': 'Helsinki', 'age': 250}
Spreading in Python
lst_one = [1, 2, 3]
lst_two = [4, 5, 6, 7]
lst = [0, *lst_one, *lst_two]
print(lst) # [0, 1, 2, 3, 4, 5, 6, 7]
country_lst_one = ['Finland', 'Sweden', 'Norway']
country_lst_two = ['Denmark', 'Iceland']
nordic_countries = [*country_lst_one, *country_lst_two]
print(nordic_countries) # ['Finland', 'Sweden', 'Norway', 'Denmark', 'Iceland']
Enumerate
If we are interested in an index of a list, we use enumerate built-in function to get the index of each item in the list.
Sometimes we would like to combine lists when looping through them. See the example below:
print(fruits_and_veges)
[{'fruit': 'banana', 'veg': 'Tomato'}, {'fruit': 'orange', 'veg': 'Potato'}, {'fruit': 'mango', 'veg': 'Cabbage'}, {'fruit':
'lemon', 'veg': 'Onion'}, {'fruit': 'lime', 'veg': 'Carrot'}]
🌕 You are determined. You are 17 steps a head to your way to greatness. Now do some exercises for your brain and muscles.
Exercises: Day 17
1. names = ['Finland', 'Sweden', 'Norway','Denmark','Iceland', 'Estonia','Russia']. Unpack the first five countries and store them in a
variable nordic_countries, store Estonia and Russia in es, and ru respectively.
🎉 CONGRATULATIONS ! 🎉
📘 Day 18
o Regular Expressions
The re Module
Methods in re Module
Match
Search
Searching for All Matches Using findall
Replacing a Substring
o Splitting Text Using RegEx Split
o Writing RegEx Patterns
Square Bracket
Escape character(\) in RegEx
One or more times(+)
Period(.)
Zero or more times(*)
Zero or one time(?)
Quantifier in RegEx
Cart ^
o 💻 Exercises: Day 18
Exercises: Level 1
Exercises: Level 2
Exercises: Level 3
📘 Day 18
Regular Expressions
A regular expression or RegEx is a special text string that helps to find patterns in data. A RegEx can be used to check if some
pattern exists in a different data type. To use RegEx in python first we should import the RegEx module which is called re.
The re Module
import re
Methods in re Module
To find a pattern we use different set of re character sets that allows to search for a match in a string.
re.match(): searches only in the beginning of the first line of the string and returns matched objects if found, else returns None.
re.search: Returns a match object if there is one anywhere in the string, including multiline strings.
re.findall: Returns a list containing all matches
re.split: Takes a string, splits it at the match points, returns a list
re.sub: Replaces one or many matches within a string
Match
# syntac
re.match(substring, string, re.I)
# substring is a string or a pattern, string is the text we look for a pattern , re.I is case ignore
import re
import re
Search
# syntax
re.match(substring, string, re.I)
# substring is a pattern, string is the text we look for a pattern , re.I is case ignore flag
import re
txt = '''Python is the most beautiful language that a human being has ever created.
I recommend python for a first programming language'''
txt = '''Python is the most beautiful language that a human being has ever created.
I recommend python for a first programming language'''
# It return a list
matches = re.findall('language', txt, re.I)
print(matches) # ['language', 'language']
As you can see, the word language was found two times in the string. Let us practice some more. Now we will look for both
Python and python words in the string:
txt = '''Python is the most beautiful language that a human being has ever created.
I recommend python for a first programming language'''
# It returns list
matches = re.findall('python', txt, re.I)
print(matches) # ['Python', 'python']
Since we are using re.I both lowercase and uppercase letters are included. If we do not have the re.I flag, then we will have to
write our pattern differently. Let us check it out:
txt = '''Python is the most beautiful language that a human being has ever created.
I recommend python for a first programming language'''
#
matches = re.findall('[Pp]ython', txt)
print(matches) # ['Python', 'python']
Replacing a Substring
txt = '''Python is the most beautiful language that a human being has ever created.
I recommend python for a first programming language'''
To declare a string variable we use a single or double quote. To declare RegEx variable r''. The following pattern only identifies
apple with lowercase, to make it case insensitive either we should rewrite our pattern or we should add a flag.
import re
regex_pattern = r'apple'
txt = 'Apple and banana are fruits. An old cliche says an apple a day a doctor way has been replaced by a banana a day keeps
the doctor far far away. '
matches = re.findall(regex_pattern, txt)
print(matches) # ['apple']
Square Bracket
Period(.)
regex_pattern = r'[a].' # this square bracket means a and . means any character except new line
txt = '''Apple and banana are fruits'''
matches = re.findall(regex_pattern, txt)
print(matches) # ['an', 'an', 'an', 'a ', 'ar']
Zero or many times. The pattern could may not occur or it can occur many times.
Zero or one time. The pattern may not occur or it may occur once.
txt = '''I am not sure if there is a convention how to write the word e-mail.
Some people write it as email others may write it as Email or E-mail.'''
regex_pattern = r'[Ee]-?mail' # ? means here that '-' is optional
matches = re.findall(regex_pattern, txt)
print(matches) # ['e-mail', 'email', 'Email', 'E-mail']
Quantifier in RegEx
We can specify the length of the substring we are looking for in a text, using a curly bracket. Let us imagine, we are interested in
a substring with a length of 4 characters:
txt = 'This regular expression example was made on December 6, 2019 and revised on July 8, 2021'
regex_pattern = r'\d{4}' # exactly four times
matches = re.findall(regex_pattern, txt)
print(matches) # ['2019', '2021']
txt = 'This regular expression example was made on December 6, 2019 and revised on July 8, 2021'
regex_pattern = r'\d{1, 4}' # 1 to 4
matches = re.findall(regex_pattern, txt)
print(matches) # ['6', '2019', '8', '2021']
Cart ^
Starts with
txt = 'This regular expression example was made on December 6, 2019 and revised on July 8, 2021'
regex_pattern = r'^This' # ^ means starts with
matches = re.findall(regex_pattern, txt)
print(matches) # ['This']
Negation
txt = 'This regular expression example was made on December 6, 2019 and revised on July 8, 2021'
regex_pattern = r'[^A-Za-z ]+' # ^ in set character means negation, not A to Z, not a to z, no space
matches = re.findall(regex_pattern, txt)
print(matches) # ['6,', '2019', '8', '2021']
💻 Exercises: Day 18
Exercises: Level 1
paragraph = 'I love teaching. If you do not love teaching what else can you love. I love Python if you do not love
something which can give you all the capabilities to develop an application what else can you love.
[
(6, 'love'),
(5, 'you'),
(3, 'can'),
(2, 'what'),
(2, 'teaching'),
(2, 'not'),
(2, 'else'),
(2, 'do'),
(2, 'I'),
(1, 'which'),
(1, 'to'),
(1, 'the'),
(1, 'something'),
(1, 'if'),
(1, 'give'),
(1, 'develop'),
(1, 'capabilities'),
(1, 'application'),
(1, 'an'),
(1, 'all'),
(1, 'Python'),
(1, 'If')
]
2. The position of some particles on the horizontal x-axis are -12, -4, -3 and -1 in the negative direction, 0 at origin, 4 and 8 in the
positive direction. Extract these numbers from this whole text and find the distance between the two furthest particles.
Exercises: Level 3
1. Clean the following text. After cleaning, count three most frequent words in the string.
2. sentence = '''%I $am@% a %tea@cher%, &and& I lo%#ve %tea@ching%;. There $is nothing; &as& mo@re rewarding as
educa@ting &and& @emp%o@wering peo@ple. ;I found tea@ching m%o@re interesting tha@n any other %jo@bs. %Do@es thi%s
mo@tivate yo@u to be a tea@cher!?'''
3.
4. print(clean_text(sentence));
5. I am a teacher and I love teaching There is nothing as more rewarding as educating and empowering people I found
teaching more interesting than any other jobs Does this motivate you to be a teacher
print(most_frequent_words(cleaned_text)) # [(3, 'I'), (2, 'teaching'), (2, 'teacher')]
🎉 CONGRATULATIONS ! 🎉
📘 Day 19
o File Handling
Opening Files for Reading
Opening Files for Writing and Updating
Deleting Files
o File Types
File with txt Extension
File with json Extension
Changing JSON to Dictionary
Changing Dictionary to JSON
Saving as JSON File
File with csv Extension
File with xlsx Extension
File with xml Extension
o 💻 Exercises: Day 19
Exercises: Level 1
Exercises: Level 2
Exercises: Level 3
📘 Day 19
File Handling
So far we have seen different Python data types. We usually store our data in different file formats. In addition to handling files,
we will also see different file formats(.txt, .json, .xml, .csv, .tsv, .excel) in this section. First, let us get familiar with handling files with
common file format(.txt).
File handling is an import part of programming which allows us to create, read, update and delete files. In Python to handle data
we use open() built-in function.
# Syntax
open('filename', mode) # mode(r, a, w, x, t,b) could be to read, write, update
"r" - Read - Default value. Opens a file for reading, it returns an error if the file does not exist
"a" - Append - Opens a file for appending, creates the file if it does not exist
"w" - Write - Opens a file for writing, creates the file if it does not exist
"x" - Create - Creates the specified file, returns an error if the file exists
"t" - Text - Default value. Text mode
"b" - Binary - Binary mode (e.g. images)
The default mode of open is reading, so we do not have to specify 'r' or 'rt'. I have created and saved a file named
reading_file_example.txt in the files directory. Let us see how it is done:
f = open('./files/reading_file_example.txt')
print(f) # <_io.TextIOWrapper name='./files/reading_file_example.txt' mode='r' encoding='UTF-8'>
As you can see in the example above, I printed the opened file and it gave some information about it. Opened file has different
reading methods: read(), readline, readlines. An opened file has to be closed with close() method.
read(): read the whole text as string. If we want to limit the number of characters we want to read, we can limit it by passing int value
to the read(number) method.
f = open('./files/reading_file_example.txt')
txt = f.read()
print(type(txt))
print(txt)
f.close()
# output
<class 'str'>
This is an example to show how to open a file and read.
This is the second line of the text.
Instead of printing all the text, let us print the first 10 characters of the text file.
f = open('./files/reading_file_example.txt')
txt = f.read(10)
print(type(txt))
print(txt)
f.close()
# output
<class 'str'>
This is an
f = open('./files/reading_file_example.txt')
line = f.readline()
print(type(line))
print(line)
f.close()
# output
<class 'str'>
This is an example to show how to open a file and read.
readlines(): read all the text line by line and returns a list of lines
f = open('./files/reading_file_example.txt')
lines = f.readlines()
print(type(lines))
print(lines)
f.close()
# output
<class 'list'>
['This is an example to show how to open a file and read.\n', 'This is the second line of the text.']
Another way to get all the lines as a list is using splitlines():
f = open('./files/reading_file_example.txt')
lines = f.read().splitlines()
print(type(lines))
print(lines)
f.close()
# output
<class 'list'>
['This is an example to show how to open a file and read.', 'This is the second line of the text.']
After we open a file, we should close it. There is a high tendency of forgetting to close them. There is a new way of opening files
using with - closes the files by itself. Let us rewrite the the previous example with the with method:
with open('./files/reading_file_example.txt') as f:
lines = f.read().splitlines()
print(type(lines))
print(lines)
# output
<class 'list'>
['This is an example to show how to open a file and read.', 'This is the second line of the text.']
To write to an existing file, we must add a mode as parameter to the open() function:
"a" - append - will append to the end of the file, if the file does not it creates a new file.
"w" - write - will overwrite any existing content, if the file does not exist it creates.
with open('./files/reading_file_example.txt','a') as f:
f.write('This text has to be appended at the end')
The method below creates a new file, if the file does not exist:
with open('./files/writing_file_example.txt','w') as f:
f.write('This text will be written in a newly created file')
Deleting Files
We have seen in previous section, how to make and remove a directory using os module. Again now, if we want to remove a file
we use os module.
import os
os.remove('./files/example.txt')
If the file does not exist, the remove method will raise an error, so it is good to use a condition like this:
import os
if os.path.exists('./files/example.txt'):
os.remove('./files/example.txt')
else:
print('The file does not exist')
File Types
File with txt extension is a very common form of data and we have covered it in the previous section. Let us move to the JSON file
JSON stands for JavaScript Object Notation. Actually, it is a stringified JavaScript object or Python dictionary.
Example:
# dictionary
person_dct= {
"name":"Asabeneh",
"country":"Finland",
"city":"Helsinki",
"skills":["JavaScrip", "React","Python"]
}
# JSON: A string form a dictionary
person_json = "{'name': 'Asabeneh', 'country': 'Finland', 'city': 'Helsinki', 'skills': ['JavaScrip', 'React', 'Python']}"
# we use three quotes and make it multiple line to make it more readable
person_json = '''{
"name":"Asabeneh",
"country":"Finland",
"city":"Helsinki",
"skills":["JavaScrip", "React","Python"]
}'''
To change a JSON to a dictionary, first we import the json module and then we use loads method.
import json
# JSON
person_json = '''{
"name": "Asabeneh",
"country": "Finland",
"city": "Helsinki",
"skills": ["JavaScrip", "React", "Python"]
}'''
# let's change JSON to dictionary
person_dct = json.loads(person_json)
print(type(person_dct))
print(person_dct)
print(person_dct['name'])
# output
<class 'dict'>
{'name': 'Asabeneh', 'country': 'Finland', 'city': 'Helsinki', 'skills': ['JavaScrip', 'React', 'Python']}
Asabeneh
To change a dictionary to a JSON we use dumps method from the json module.
import json
# python dictionary
person = {
"name": "Asabeneh",
"country": "Finland",
"city": "Helsinki",
"skills": ["JavaScrip", "React", "Python"]
}
# let's convert it to json
person_json = json.dumps(person, indent=4) # indent could be 2, 4, 8. It beautifies the json
print(type(person_json))
print(person_json)
# output
# when you print it, it does not have the quote, but actually it is a string
# JSON does not have type, it is a string type.
<class 'str'>
{
"name": "Asabeneh",
"country": "Finland",
"city": "Helsinki",
"skills": [
"JavaScrip",
"React",
"Python"
]
}
Saving as JSON File
We can also save our data as a json file. Let us save it as a json file using the following steps. For writing a json file, we use the
json.dump() method, it can take dictionary, output file, ensure_ascii and indent.
import json
# python dictionary
person = {
"name": "Asabeneh",
"country": "Finland",
"city": "Helsinki",
"skills": ["JavaScrip", "React", "Python"]
}
with open('./files/json_example.json', 'w', encoding='utf-8') as f:
json.dump(person, f, ensure_ascii=False, indent=4)
In the code above, we use encoding and indentation. Indentation makes the json file easy to read.
CSV stands for comma separated values. CSV is a simple file format used to store tabular data, such as a spreadsheet or
database. CSV is a very common data format in data science.
Example:
"name","country","city","skills"
"Asabeneh","Finland","Helsinki","JavaScript"
Example:
import csv
with open('./files/csv_example.csv') as f:
csv_reader = csv.reader(f, delimiter=',') # w use, reader method to read csv
line_count = 0
for row in csv_reader:
if line_count == 0:
print(f'Column names are :{", ".join(row)}')
line_count += 1
else:
print(
f'\t{row[0]} is a teachers. He lives in {row[1]}, {row[2]}.')
line_count += 1
print(f'Number of lines: {line_count}')
# output:
Column names are :name, country, city, skills
Asabeneh is a teacher. He lives in Finland, Helsinki.
Number of lines: 2
To read excel files we need to install xlrd package. We will cover this after we cover package installing using pip.
import xlrd
excel_book = xlrd.open_workbook('sample.xls)
print(excel_book.nsheets)
print(excel_book.sheet_names)
XML is another structured data format which looks like HTML. In XML the tags are not predefined. The first line is an XML
declaration. The person tag is the root of the XML. The person has a gender attribute. Example:XML
<?xml version="1.0"?>
<person gender="female">
<name>Asabeneh</name>
<country>Finland</country>
<city>Helsinki</city>
<skills>
<skill>JavaScrip</skill>
<skill>React</skill>
<skill>Python</skill>
</skills>
</person>
For more information on how to read an XML file check the documentation
import xml.etree.ElementTree as ET
tree = ET.parse('./files/xml_example.xml')
root = tree.getroot()
print('Root tag:', root.tag)
print('Attribute:', root.attrib)
for child in root:
print('field: ', child.tag)
# output
Root tag: person
Attribute: {'gender': 'male'}
field: name
field: country
field: city
field: skills
🌕 You are making a big progress. Maintain your momentum, keep the good work. Now do some exercises for your brain and
muscles.
💻 Exercises: Day 19
Exercises: Level 1
1. Write a function which count number of lines and number of words in a text. All the files are in the data the folder: a) Read
obama_speech.txt file and count number of lines and words b) Read michelle_obama_speech.txt file and count number of
lines and words c) Read donald_speech.txt file and count number of lines and words d) Read melina_trump_speech.txt file
and count number of lines and words
2. Read the countries_data.json data file in data directory, create a function that finds the ten most spoken languages
3. # Your output should look like this
4. print(most_spoken_languages(filename='./data/countries_data.json', 10))
5. [(91, 'English'),
6. (45, 'French'),
7. (25, 'Arabic'),
8. (24, 'Spanish'),
9. (9, 'Russian'),
10. (9, 'Portuguese'),
11. (8, 'Dutch'),
12. (7, 'German'),
13. (5, 'Chinese'),
14. (4, 'Swahili'),
15. (4, 'Serbian')]
16.
17. # Your output should look like this
18. print(most_spoken_languages(filename='./data/countries_data.json', 3))
19. [(91, 'English'),
20. (45, 'French'),
(25, 'Arabic')]
21. Read the countries_data.json data file in data directory, create a function that creates a list of the ten most populated
countries
22. # Your output should look like this
23. print(most_populated_countries(filename='./data/countries_data.json', 10))
24.
25. [
26. {'country': 'China', 'population': 1377422166},
27. {'country': 'India', 'population': 1295210000},
28. {'country': 'United States of America', 'population': 323947000},
29. {'country': 'Indonesia', 'population': 258705000},
30. {'country': 'Brazil', 'population': 206135893},
31. {'country': 'Pakistan', 'population': 194125062},
32. {'country': 'Nigeria', 'population': 186988000},
33. {'country': 'Bangladesh', 'population': 161006790},
34. {'country': 'Russian Federation', 'population': 146599183},
35. {'country': 'Japan', 'population': 126960000}
36. ]
37.
38. # Your output should look like this
39.
40. print(most_populated_countries(filename='./data/countries_data.json', 3))
41. [
42. {'country': 'China', 'population': 1377422166},
43. {'country': 'India', 'population': 1295210000},
44. {'country': 'United States of America', 'population': 323947000}
]
Exercises: Level 2
4. Extract all incoming email addresses as a list from the email_exchange_big.txt file.
5. Find the most common words in the English language. Call the name of your function find_most_common_words, it will take two
parameters - a string or a file and a positive integer, indicating the number of words. Your function will return an array of tuples in
descending order. Check the output
[(10, 'the'),
(8, 'be'),
(6, 'to'),
(6, 'of'),
(5, 'and')]
6. Use the function, find_most_frequent_words to find: a) The ten most frequent words used in Obama's speech b) The ten most
frequent words used in Michelle's speech c) The ten most frequent words used in Trump's speech d) The ten most frequent words
used in Melina's speech
7. Write a python application that checks similarity between two texts. It takes a file or a string as a parameter and it will evaluate the
similarity of the two texts. For instance check the similarity between the transcripts of Michelle's and Melina's speech. You may need a
couple of functions, function to clean the text(clean_text), function to remove support words(remove_support_words) and finally to
check the similarity(check_text_similarity). List of stop words are in the data directory
8. Find the 10 most repeated words in the romeo_and_juliet.txt
9. Read the hacker news csv file and find out: a) Count the number of lines containing python or Python b) Count the number lines
containing JavaScript, javascript or Javascript c) Count the number lines containing Java and not JavaScript
Exercises: Level 3
🎉 CONGRATULATIONS ! 🎉
📘 Day 20
o Python PIP - Python Package Manager
What is PIP ?
Installing PIP
Installing packages using pip
Uninstalling Packages
List of Packages
Show Package
PIP Freeze
Reading from URL
Creating a Package
Further Information About Packages
o Exercises: Day 20
📘 Day 20
Python PIP - Python Package Manager
What is PIP ?
PIP stands for Preferred installer program. We use pip to install different Python packages. Package is a Python module that can
contain one or more modules or other packages. A module or modules that we can install to our application is a package. In
programming, we do not have to write every utility program, instead we install packages and import them to our applications.
Installing PIP
If you did not install pip, let us install it now. Go to your terminal or command prompt and copy and paste this:
pip --version
asabeneh@Asabeneh:~$ pip --version
pip 21.1.3 from /usr/local/lib/python3.7/site-packages/pip (python 3.9.6)
As you can see, I am using pip version 21.1.3, if you see some number a bit below or above that, means you have pip installed.
Let us check some of the packages used in the Python community for different purposes. Just to let you know that there are lots
of packages available for use with different applications.
Let us try to install numpy, called numeric python. It is one of the most popular packages in machine learning and data science
community.
NumPy is the fundamental package for scientific computing with Python. It contains among other things:
o a powerful N-dimensional array object
o sophisticated (broadcasting) functions
o tools for integrating C/C++ and Fortran code
o useful linear algebra, Fourier transform, and random number capabilities
asabeneh@Asabeneh:~$ python
Python 3.9.6 (default, Jun 28 2021, 15:26:21)
[Clang 11.0.0 (clang-1100.0.33.8)] on darwin
Type "help", "copyright", "credits" or "license" for more information.
>>> import numpy
>>> numpy.version.version
'1.20.1'
>>> lst = [1, 2, 3,4, 5]
>>> np_arr = numpy.array(lst)
>>> np_arr
array([1, 2, 3, 4, 5])
>>> len(np_arr)
5
>>> np_arr * 2
array([ 2, 4, 6, 8, 10])
>>> np_arr + 2
array([3, 4, 5, 6, 7])
>>>
Pandas is an open source, BSD-licensed library providing high-performance, easy-to-use data structures and data analysis tools
for the Python programming language. Let us install the big brother of numpy, pandas:
Let us import a web browser module, which can help us to open any website. We do not need to install this module, it is already
installed by default with Python 3. For instance if you like to open any number of websites at any time or if you like to schedule
something, this webbrowser module can be used.
Uninstalling Packages
If you do not like to keep the installed packages, you can remove them using the following command.
List of Packages
To see the installed packages on our machine. We can use pip followed by list.
pip list
Show Package
PIP Freeze
Generate installed Python packages with their version and the output is suitable to use it in a requirements file. A
requirements.txt file is a file that should contain all the installed Python packages in a Python project.
By now you are familiar with how to read or write on a file located on you local machine. Sometimes, we would like to read from
a website using url or from an API. API stands for Application Program Interface. It is a means to exchange structured data
between servers primarily as json data. To open a network connection, we need a package called requests - it allows to open a
network connection and to implement CRUD(create, read, update and delete) operations. In this section, we will cover only
reading ore getting part of a CRUD.
get(): to open a network and fetch data from url - it returns a response object
status_code: After we fetched data, we can check the status of the operation (success, error, etc)
headers: To check the header types
text: to extract the text from the fetched response object
json: to extract json data Let's read a txt file from this website, https://www.w3.org/TR/PNG/iso_8859-1.txt.
Let us read from an API. API stands for Application Program Interface. It is a means to exchange structure data between servers
primarily a json data. An example of an API:https://restcountries.eu/rest/v2/all. Let us read this API using requests module.
import requests
url = 'https://restcountries.eu/rest/v2/all' # countries api
response = requests.get(url) # opening a network and fetching a data
print(response) # response object
print(response.status_code) # status code, success:200
countries = response.json()
print(countries[:1]) # we sliced only the first country, remove the slicing to see all countries
<Response [200]>
200
[{'alpha2Code': 'AF',
'alpha3Code': 'AFG',
'altSpellings': ['AF', 'Afġānistān'],
'area': 652230.0,
'borders': ['IRN', 'PAK', 'TKM', 'UZB', 'TJK', 'CHN'],
'callingCodes': ['93'],
'capital': 'Kabul',
'cioc': 'AFG',
'currencies': [{'code': 'AFN', 'name': 'Afghan afghani', 'symbol': '؋'}],
'demonym': 'Afghan',
'flag': 'https://restcountries.eu/data/afg.svg',
'gini': 27.8,
'languages': [{'iso639_1': 'ps',
'iso639_2': 'pus',
'name': 'Pashto',
'nativeName': '}'پښتو,
{'iso639_1': 'uz',
'iso639_2': 'uzb',
'name': 'Uzbek',
'nativeName': 'Oʻzbek'},
{'iso639_1': 'tk',
'iso639_2': 'tuk',
'name': 'Turkmen',
'nativeName': 'Türkmen'}],
'latlng': [33.0, 65.0],
'name': 'Afghanistan',
'nativeName': ''افغانستان,
'numericCode': '004',
'population': 27657145,
'region': 'Asia',
'regionalBlocs': [{'acronym': 'SAARC',
'name': 'South Asian Association for Regional Cooperation',
'otherAcronyms': [],
'otherNames': []}],
'subregion': 'Southern Asia',
'timezones': ['UTC+04:30'],
'topLevelDomain': ['.af'],
'translations': {'br': 'Afeganistão',
'de': 'Afghanistan',
'es': 'Afganistán',
'fa': ''افغانستان,
'fr': 'Afghanistan',
'hr': 'Afganistan',
'it': 'Afghanistan',
'ja': 'アフガニスタン',
'nl': 'Afghanistan',
'pt': 'Afeganistão'}}]
We use json() method from response object, if the we are fetching JSON data. For txt, html, xml and other file formats we can
use text.
Creating a Package
We organize a large number of files in different folders and sub-folders based on some criteria, so that we can find and manage
them easily. As you know, a module can contain multiple objects, such as classes, functions, etc. A package can contain one or
more relevant modules. A package is actually a folder containing one or more module files. Let us create a package named
mypackage, using the following steps:
Create a new folder named mypacakge inside 30DaysOfPython folder Create an empty init.py file in the mypackage folder.
Create modules arithmetic.py and greet.py with following code:
# mypackage/arithmetics.py
# arithmetics.py
def add_numbers(*args):
total = 0
for num in args:
total += num
return total
─ mypackage
├── __init__.py
├── arithmetic.py
└── greet.py
Now let's open the python interactive shell and try the package we have created:
asabeneh@Asabeneh:~/Desktop/30DaysOfPython$ python
Python 3.9.6 (default, Jun 28 2021, 15:26:21)
[Clang 11.0.0 (clang-1100.0.33.8)] on darwin
Type "help", "copyright", "credits" or "license" for more information.
>>> from mypackage import arithmetics
>>> arithmetics.add_numbers(1, 2, 3, 5)
11
>>> arithmetics.subtract(5, 3)
2
>>> arithmetics.multiple(5, 3)
15
>>> arithmetics.division(5, 3)
1.6666666666666667
>>> arithmetics.remainder(5, 3)
2
>>> arithmetics.power(5, 3)
125
>>> from mypackage import greet
>>> greet.greet_person('Asabeneh', 'Yetayeh')
'Asabeneh Yetayeh, welcome to 30DaysOfPython Challenge!'
>>>
As you can see our package works perfectly. The package folder contains a special file called init.py - it stores the package's
content. If we put init.py in the package folder, python start recognizes it as a package. The init.py exposes specified resources
from its modules to be imported to other python files. An empty init.py file makes all functions available when a package is
imported. The init.py is essential for the folder to be recognized by Python as a package.
Database
o SQLAlchemy or SQLObject - Object oriented access to several different database systems
pip install SQLAlchemy
Web Development
o Django - High-level web framework.
pip install django
o Flask - micro framework for Python based on Werkzeug, Jinja 2. (It's BSD licensed)
pip install flask
HTML Parser
o Beautiful Soup - HTML/XML parser designed for quick turnaround projects like screen-scraping, will accept bad markup.
pip install beautifulsoup4
o PyQuery - implements jQuery in Python; faster than BeautifulSoup, apparently.
XML Processing
o ElementTree - The Element type is a simple but flexible container object, designed to store hierarchical data structures, such as
simplified XML infosets, in memory. --Note: Python 2.5 and up has ElementTree in the Standard Library
GUI
o PyQt - Bindings for the cross-platform Qt framework.
o TkInter - The traditional Python user interface toolkit.
Network:
o requests: is a package which we can use to send requests to a server(GET, POST, DELETE, PUT)
pip install requests
🌕 You are always progressing and you are a head of 20 steps to your way to greatness. Now do some exercises for your brain and
muscles.
Exercises: Day 20
1. Read this url and find the 10 most frequent words. romeo_and_juliet = 'http://www.gutenberg.org/files/1112/1112.txt'
2. Read the cats API and cats_api = 'https://api.thecatapi.com/v1/breeds' and find :
i. the min, max, mean, median, standard deviation of cats' weight in metric units.
ii. the min, max, mean, median, standard deviation of cats' lifespan in years.
iii. Create a frequency table of country and breed of cats
3. Read the countries API and find
i. the 10 largest countries
ii. the 10 most spoken languages
iii. the total number of languages in the countries API
4. UCI is one of the most common places to get data sets for data science and machine learning. Read the content of UCL
(https://archive.ics.uci.edu/ml/datasets.php). Without additional libraries it will be difficult, so you may try it with BeautifulSoup4
🎉 CONGRATULATIONS ! 🎉
📘 Day 21
o Classes and Objects
Creating a Class
Creating an Object
Class Constructor
Object Methods
Object Default Methods
Method to Modify Class Default Values
Inheritance
Overriding parent method
o 💻 Exercises: Day 21
Exercises: Level 1
Exercises: Level 2
Exercises: Level 3
📘 Day 21
Classes and Objects
Python is an object oriented programming language. Everything in Python is an object, with its properties and methods. A
number, string, list, dictionary, tuple, set etc. used in a program is an object of a corresponding built-in class. We create class to
create an object. A class is like an object constructor, or a "blueprint" for creating objects. We instantiate a class to create an
object. The class defines attributes and the behavior of the object, while the object, on the other hand, represents the class.
We have been working with classes and objects right from the beginning of this challenge unknowingly. Every element in a
Python program is an object of a class. Let us check if everything in python is a class:
asabeneh@Asabeneh:~$ python
Python 3.9.6 (default, Jun 28 2021, 15:26:21)
[Clang 11.0.0 (clang-1100.0.33.8)] on darwin
Type "help", "copyright", "credits" or "license" for more information.
>>> num = 10
>>> type(num)
<class 'int'>
>>> string = 'string'
>>> type(string)
<class 'str'>
>>> boolean = True
>>> type(boolean)
<class 'bool'>
>>> lst = []
>>> type(lst)
<class 'list'>
>>> tpl = ()
>>> type(tpl)
<class 'tuple'>
>>> set1 = set()
>>> type(set1)
<class 'set'>
>>> dct = {}
>>> type(dct)
<class 'dict'>
Creating a Class
To create a class we need the key word class followed by the name and colon. Class name should be CamelCase.
# syntax
class ClassName:
code goes here
Example:
class Person:
pass
print(Person)
<__main__.Person object at 0x10804e510>
Creating an Object
p = Person()
print(p)
Class Constructor
In the examples above, we have created an object from the Person class. However, a class without a constructor is not really
useful in real applications. Let us use constructor function to make our class more useful. Like the constructor function in Java or
JavaScript, Python has also a built-in init() constructor function. The init constructor function has self parameter which is a
reference to the current instance of the class Examples:
class Person:
def __init__ (self, name):
# self allows to attach parameter to the class
self.name =name
p = Person('Asabeneh')
print(p.name)
print(p)
# output
Asabeneh
<__main__.Person object at 0x2abf46907e80>
Let us add more parameters to the constructor function.
class Person:
def __init__(self, firstname, lastname, age, country, city):
self.firstname = firstname
self.lastname = lastname
self.age = age
self.country = country
self.city = city
Object Methods
Objects can have methods. The methods are functions which belong to the object.
Example:
class Person:
def __init__(self, firstname, lastname, age, country, city):
self.firstname = firstname
self.lastname = lastname
self.age = age
self.country = country
self.city = city
def person_info(self):
return f'{self.firstname} {self.lastname} is {self.age} years old. He lives in {self.city}, {self.country}'
Sometimes, you may want to have a default values for your object methods. If we give default values for the parameters in the
constructor, we can avoid errors when we call or instantiate our class without parameters. Let's see how it looks:
Example:
class Person:
def __init__(self, firstname='Asabeneh', lastname='Yetayeh', age=250, country='Finland', city='Helsinki'):
self.firstname = firstname
self.lastname = lastname
self.age = age
self.country = country
self.city = city
def person_info(self):
return f'{self.firstname} {self.lastname} is {self.age} years old. He lives in {self.city}, {self.country}.'
p1 = Person()
print(p1.person_info())
p2 = Person('John', 'Doe', 30, 'Nomanland', 'Noman city')
print(p2.person_info())
# output
Asabeneh Yetayeh is 250 years old. He lives in Helsinki, Finland.
John Doe is 30 years old. He lives in Noman city, Nomanland.
In the example below, the person class, all the constructor parameters have default values. In addition to that, we have skills
parameter, which we can access using a method. Let us create add_skill method to add skills to the skills list.
class Person:
def __init__(self, firstname='Asabeneh', lastname='Yetayeh', age=250, country='Finland', city='Helsinki'):
self.firstname = firstname
self.lastname = lastname
self.age = age
self.country = country
self.city = city
self.skills = []
def person_info(self):
return f'{self.firstname} {self.lastname} is {self.age} years old. He lives in {self.city}, {self.country}.'
def add_skill(self, skill):
self.skills.append(skill)
p1 = Person()
print(p1.person_info())
p1.add_skill('HTML')
p1.add_skill('CSS')
p1.add_skill('JavaScript')
p2 = Person('John', 'Doe', 30, 'Nomanland', 'Noman city')
print(p2.person_info())
print(p1.skills)
print(p2.skills)
# output
Asabeneh Yetayeh is 250 years old. He lives in Helsinki, Finland.
John Doe is 30 years old. He lives in Noman city, Nomanland.
['HTML', 'CSS', 'JavaScript']
[]
Inheritance
Using inheritance we can reuse parent class code. Inheritance allows us to define a class that inherits all the methods and
properties from parent class. The parent class or super or base class is the class which gives all the methods and properties. Child
class is the class that inherits from another or parent class. Let us create a student class by inheriting from person class.
class Student(Person):
pass
print(s2.person_info())
s2.add_skill('Organizing')
s2.add_skill('Marketing')
s2.add_skill('Digital Marketing')
print(s2.skills)
output
Eyob Yetayeh is 30 years old. He lives in Helsinki, Finland.
['JavaScript', 'React', 'Python']
Lidiya Teklemariam is 28 years old. He lives in Espoo, Finland.
['Organizing', 'Marketing', 'Digital Marketing']
We did not call the init() constructor in the child class. If we didn't call it then we can still access all the properties from the
parent. But if we do call the constructor we can access the parent properties by calling super.
We can add a new method to the child or we can override the parent class methods by creating the same method name in the
child class. When we add the init() function, the child class will no longer inherit the parent's init() function.
print(s2.person_info())
s2.add_skill('Organizing')
s2.add_skill('Marketing')
s2.add_skill('Digital Marketing')
print(s2.skills)
Eyob Yetayeh is 30 years old. He lives in Helsinki, Finland.
['JavaScript', 'React', 'Python']
Lidiya Teklemariam is 28 years old. She lives in Espoo, Finland.
['Organizing', 'Marketing', 'Digital Marketing']
We can use super() built-in function or the parent name Person to automatically inherit the methods and properties from its
parent. In the example above we override the parent method. The child method has a different feature, it can identify, if the
gender is male or female and assign the proper pronoun(He/She).
🌕 Now, you are fully charged with a super power of programming. Now do some exercises for your brain and muscles.
💻 Exercises: Day 21
Exercises: Level 1
1. Python has the module called statistics and we can use this module to do all the statistical calculations. However, to learn how to
make function and reuse function let us try to develop a program, which calculates the measure of central tendency of a sample
(mean, median, mode) and measure of variability (range, variance, standard deviation). In addition to those measures, find the min,
max, count, percentile, and frequency distribution of the sample. You can create a class called Statistics and create all the functions
that do statistical calculations as methods for the Statistics class. Check the output below.
ages = [31, 26, 34, 37, 27, 26, 32, 32, 26, 27, 27, 24, 32, 33, 27, 25, 26, 38, 37, 31, 34, 24, 33, 29, 26]
print('Count:', data.count()) # 25
print('Sum: ', data.sum()) # 744
print('Min: ', data.min()) # 24
print('Max: ', data.max()) # 38
print('Range: ', data.range() # 14
print('Mean: ', data.mean()) # 30
print('Median: ', data.median()) # 29
print('Mode: ', data.mode()) # {'mode': 26, 'count': 5}
print('Standard Deviation: ', data.std()) # 4.2
print('Variance: ', data.var()) # 17.5
print('Frequency Distribution: ', data.freq_dist()) # [(20.0, 26), (16.0, 27), (12.0, 32), (8.0, 37), (8.0, 34), (8.0, 33),
(8.0, 31), (8.0, 24), (4.0, 38), (4.0, 29), (4.0, 25)]
# you output should look like this
print(data.describe())
Count: 25
Sum: 744
Min: 24
Max: 38
Range: 14
Mean: 30
Median: 29
Mode: (26, 5)
Variance: 17.5
Standard Deviation: 4.2
Frequency Distribution: [(20.0, 26), (16.0, 27), (12.0, 32), (8.0, 37), (8.0, 34), (8.0, 33), (8.0, 31), (8.0, 24), (4.0,
38), (4.0, 29), (4.0, 25)]
Exercises: Level 2
1. Create a class called PersonAccount. It has firstname, lastname, incomes, expenses properties and it has total_income, total_expense,
account_info, add_income, add_expense and account_balance methods. Incomes is a set of incomes and its description. The same
goes for expenses.
Exercises: Level 3
🎉 CONGRATULATIONS ! 🎉
📘 Day 22
o Python Web Scraping
What is Web Scrapping
o 💻 Exercises: Day 22
📘 Day 22
Python Web Scraping
The internet is full of huge amount of data which can be used for different purposes. To collect this data we need to know how to
scrape data from a website.
Web scraping is the process of extracting and collecting data from websites and storing it on a local machine or in a database.
In this section, we will use beautifulsoup and requests package to scrape data. The package version we are using is beautifulsoup
4.
import requests
from bs4 import BeautifulSoup
Let us declare url variable for the website which we are going to scrape.
import requests
from bs4 import BeautifulSoup
url = 'https://archive.ics.uci.edu/ml/datasets.php'
# Lets use the requests get method to fetch the data from url
response = requests.get(url)
# lets check the status
status = response.status_code
print(status) # 200 means the fetching was successful
200
Using beautifulSoup to parse content from the page
import requests
from bs4 import BeautifulSoup
url = 'https://archive.ics.uci.edu/ml/datasets.php'
response = requests.get(url)
content = response.content # we get all the content from the website
soup = BeautifulSoup(content, 'html.parser') # beautiful soup will give a chance to parse
print(soup.title) # <title>UCI Machine Learning Repository: Data Sets</title>
print(soup.title.get_text()) # UCI Machine Learning Repository: Data Sets
print(soup.body) # gives the whole page on the website
print(response.status_code)
🌕 You are so special, you are progressing everyday. You are left with only eight days to your way to greatness. Now do some
exercises for your brain and muscles.
💻 Exercises: Day 22
1. Scrape the following website and store the data as json file(url = 'http://www.bu.edu/president/boston-university-facts-stats/').
2. Extract the table in this url (https://archive.ics.uci.edu/ml/datasets.php) and change it to a json file
3. Scrape the presidents table and store the data as json(https://en.wikipedia.org/wiki/List_of_presidents_of_the_United_States). The
table is not very structured and the scrapping may take very long time.
🎉 CONGRATULATIONS ! 🎉
📘 Day 23
o Setting up Virtual Environments
o 💻 Exercises: Day 23
📘 Day 23
Setting up Virtual Environments
To start with project, it would be better to have a virtual environment. Virtual environment can help us to create an isolated or
separate environment. This will help us to avoid conflicts in dependencies across projects. If you write pip freeze on your terminal
you will see all the installed packages on your computer. If we use virtualenv, we will access only packages which are specific for
that project. Open your terminal and install virtualenv
After installing the virtualenv package go to your project folder and create a virtual env by writing:
For Mac/Linux:
asabeneh@Asabeneh:~/Desktop/30DaysOfPython/flask_project$ ls
venv/
Let us activate the virtual environment by writing the following command at our project folder.
For Mac/Linux:
C:\Users\User\Documents\30DaysOfPython\flask_project> venv\Scripts\activate
For Windows Git bash:
(venv) asabeneh@Asabeneh:~/Desktop/30DaysOfPython/flask_project$
Now, lets check the available packages in this project by writing pip freeze. You will not see any packages.
We are going to do a small flask project so let us install flask package to this project.
(venv) asabeneh@Asabeneh:~/Desktop/30DaysOfPython/flask_project$ pip install Flask
Now, let us write pip freeze to see a list of installed packages in the project:
💻 Exercises: Day 23
1. Create a project directory with a virtual environment based on the example given above.
🎉 CONGRATULATIONS ! 🎉
📘 Day 24
o Python for Statistical Analysis
o Statistics
o Data
o Statistics Module
NumPy
📘 Day 24
Python for Statistical Analysis
Statistics
Statistics is the discipline that studies the collection, organization, displaying, analysing, interpretation and presentation of data.
Statistics is a branch of Mathematics that is recommended to be a prerequisite for data science and machine learning. Statistics is
a very broad field but we will focus in this section only on the most relevant part. After completing this challenge, you may go
onto the web development, data analysis, machine learning and data science path. Whatever path you may follow, at some point
in your career you will get data which you may work on. Having some statistical knowledge will help you to make decisions based
on data, data tells as they say.
Data
What is data? Data is any set of characters that is gathered and translated for some purpose, usually analysis. It can be any
character, including text and numbers, pictures, sound, or video. If data is not put in a context, it doesn't make any sense to a
human or computer. To make sense from data we need to work on the data using different tools.
The work flow of data analysis, data science or machine learning starts from data. Data can be provided from some data source
or it can be created. There are structured and unstructured data.
Data can be found in small or big format. Most of the data types we will get have been covered in the file handling section.
Statistics Module
The Python statistics module provides functions for calculating mathematical statistics of numerical data. The module is not
intended to be a competitor to third-party libraries such as NumPy, SciPy, or proprietary full-featured statistics packages aimed
at professional statisticians such as Minitab, SAS and Matlab. It is aimed at the level of graphing and scientific calculators.
NumPy
In the first section we defined Python as a great general-purpose programming language on its own, but with the help of other
popular libraries as(numpy, scipy, matplotlib, pandas etc) it becomes a powerful environment for scientific computing.
NumPy is the core library for scientific computing in Python. It provides a high-performance multidimensional array object, and
tools for working with arrays.
So far, we have been using vscode but from now on I would recommend using Jupyter Notebook. To access jupyter notebook
let's install anaconda. If you are using anaconda most of the common packages are included and you don't have install packages
if you installed anaconda.
Importing NumPy
numpy_array_from_list = np.array(python_list)
print(type (numpy_array_from_list)) # <class 'numpy.ndarray'>
print(numpy_array_from_list) # array([1, 2, 3, 4, 5])
Creating a float numpy array from list with a float data type parameter
# Python list
python_list = [1,2,3,4,5]
numpy_array_from_tuple = np.array(python_tuple)
print(type (numpy_array_from_tuple)) # <class 'numpy.ndarray'>
print('numpy_array_from_tuple: ', numpy_array_from_tuple) # numpy_array_from_tuple: [1 2 3 4 5]
The shape method provide the shape of the array as a tuple. The first is the row and the second is the column. If the array is just
one dimensional it returns the size of the array.
Type of data types: str, int, float, complex, bool, list, None
print(int_array)
print(int_array.dtype)
print(float_array)
print(float_array.dtype)
[-3 -2 -1 0 1 2 3]
int64
[-3. -2. -1. 0. 1. 2. 3.]
float64
In numpy to know the number of items in a numpy array list we use size
NumPy array is not like exactly like python list. To do mathematical operation in Python list we have to loop through the items
but numpy can allow to do any mathematical operation without looping. Mathematical Operation:
Addition (+)
Subtraction (-)
Multiplication (*)
Division (/)
Modules (%)
Floor Division(//)
Exponential(**)
Addition
# Mathematical Operation
# Addition
numpy_array_from_list = np.array([1, 2, 3, 4, 5])
print('original array: ', numpy_array_from_list)
ten_plus_original = numpy_array_from_list + 10
print(ten_plus_original)
original array: [1 2 3 4 5]
[11 12 13 14 15]
Subtraction
# Subtraction
numpy_array_from_list = np.array([1, 2, 3, 4, 5])
print('original array: ', numpy_array_from_list)
ten_minus_original = numpy_array_from_list - 10
print(ten_minus_original)
original array: [1 2 3 4 5]
[-9 -8 -7 -6 -5]
Multiplication
# Multiplication
numpy_array_from_list = np.array([1, 2, 3, 4, 5])
print('original array: ', numpy_array_from_list)
ten_times_original = numpy_array_from_list * 10
print(ten_times_original)
original array: [1 2 3 4 5]
[10 20 30 40 50]
Division
# Division
numpy_array_from_list = np.array([1, 2, 3, 4, 5])
print('original array: ', numpy_array_from_list)
ten_times_original = numpy_array_from_list / 10
print(ten_times_original)
original array: [1 2 3 4 5]
[0.1 0.2 0.3 0.4 0.5]
Modulus
# Modulus; Finding the remainder
numpy_array_from_list = np.array([1, 2, 3, 4, 5])
print('original array: ', numpy_array_from_list)
ten_times_original = numpy_array_from_list % 3
print(ten_times_original)
original array: [1 2 3 4 5]
[1 2 0 1 2]
Floor Division
# Floor division: the division result without the remainder
numpy_array_from_list = np.array([1, 2, 3, 4, 5])
print('original array: ', numpy_array_from_list)
ten_times_original = numpy_array_from_list // 10
print(ten_times_original)
Exponential
# Exponential is finding some number the power of another:
numpy_array_from_list = np.array([1, 2, 3, 4, 5])
print('original array: ', numpy_array_from_list)
ten_times_original = numpy_array_from_list ** 2
print(ten_times_original)
original array: [1 2 3 4 5]
[ 1 4 9 16 25]
Checking data types
#Int, Float numbers
numpy_int_arr = np.array([1,2,3,4])
numpy_float_arr = np.array([1.1, 2.0,3.2])
numpy_bool_arr = np.array([-3, -2, 0, 1,2,3], dtype='bool')
print(numpy_int_arr.dtype)
print(numpy_float_arr.dtype)
print(numpy_bool_arr.dtype)
int64
float64
bool
Converting types
1. Int to Float
2. Float to Int
3. Int ot boolean
4. Int to str
numpy_float_list.astype('int').astype('str')
array(['1', '2', '3'], dtype='<U21')
Multi-dimensional Arrays
# 2 Dimension Array
two_dimension_array = np.array([(1,2,3),(4,5,6), (7,8,9)])
print(type (two_dimension_array))
print(two_dimension_array)
print('Shape: ', two_dimension_array.shape)
print('Size:', two_dimension_array.size)
print('Data type:', two_dimension_array.dtype)
<class 'numpy.ndarray'>
[[1 2 3]
[4 5 6]
[7 8 9]]
Shape: (3, 3)
Size: 9
Data type: int64
print(np_list_one + np_list_two)
Matrix in numpy
four_by_four_matrix = np.matrix(np.ones((4,4), dtype=float))
four_by_four_matrix
matrix([[1., 1., 1., 1.],
[1., 1., 1., 1.],
[1., 1., 1., 1.],
[1., 1., 1., 1.]])
np.asarray(four_by_four_matrix)[2] = 2
four_by_four_matrix
matrix([[1., 1., 1., 1.],
[1., 1., 1., 1.],
[2., 2., 2., 2.],
[1., 1., 1., 1.]])
Numpy numpy.arange()
What is Arrange?
Sometimes, you want to create values that are evenly spaced within a defined interval. For instance, you want to create values
from 1 to 10; you can use numpy.arange() function
# Syntax:
NumPy has quite useful statistical functions for finding minimum, maximum, mean, median, percentile,standard deviation and
variance, etc from the given elements in the array. The functions are explained as follows − Statistical function Numpy is
equipped with the robust statistical function as listed below
Numpy Functions
o Min np.min()
o Max np.max()
o Mean np.mean()
o Median np.median()
o Varience
o Percentile
o Standard deviation np.std()
# Syntax
# numpy.dot(x, y, out=None)
Linear Algebra
1. Dot Product
## Linear algebra
### Dot product: product of two arrays
f = np.array([1,2,3])
g = np.array([4,5,3])
### 1*4+2*5 + 3*6
np.dot(f, g) # 23
We use linear equation for quantities which have linear relationship. Let's see the example below:
temp = np.array([1,2,3,4,5])
pressure = temp * 2 + 5
pressure
array([ 7, 9, 11, 13, 15])
plt.plot(temp,pressure)
plt.xlabel('Temperature in oC')
plt.ylabel('Pressure in atm')
plt.title('Temperature vs Pressure')
plt.xticks(np.arange(0, 6, step=0.5))
plt.show()
To draw the Gaussian normal distribution using numpy. As you can see below, the numpy can generate random numbers. To
create random sample, we need the mean(mu), sigma(standard deviation), mumber of data points.
mu = 28
sigma = 15
samples = 100000
Summery
To summarize, the main differences with python lists are:
💻 Exercises: Day 24
🎉 CONGRATULATIONS ! 🎉
📘 Day 25
o Pandas
Installing Pandas
Importing Pandas
Creating Pandas Series with Default Index
Creating Pandas Series with custom index
Creating Pandas Series from a Dictionary
Creating a Constant Pandas Series
Creating a Pandas Series Using Linspace
o DataFrames
Creating DataFrames from List of Lists
Creating DataFrame Using Dictionary
Creating DataFrames from a List of Dictionaries
o Reading CSV File Using Pandas
Data Exploration
o Modifying a DataFrame
Creating a DataFrame
Adding a New Column
Modifying column values
Formating DataFrame columns
o Checking data types of Column values
Boolean Indexing
o Exercises: Day 25
📘 Day 25
Pandas
Pandas is an open source, high-performance, easy-to-use data structures and data analysis tools for the Python programming
language. Pandas adds data structures and tools designed to work with table-like data which is Series and Data Frames. Pandas
provides tools for data manipulation:
reshaping
merging
sorting
slicing
aggregation
imputation. If you are using anaconda, you do not have install pandas.
Installing Pandas
For Mac:
A series is a column and a DataFrame is a multidimensional table made up of collection of series. In order to create a pandas
series we should use numpy to create a one dimensional arrays or a python list. Let us see an example of a series:
Countries Series
Cities Series
As you can see, pandas series is just one column of data. If we want to have multiple columns we use data frames. The example
below shows pandas DataFrames.
Next, we will see how to import pandas and how to create Series and DataFrames using pandas
Importing Pandas
import pandas as pd # importing pandas as pd
import numpy as np # importing numpy as np
DataFrames
1 David UK London
1 David UK London
1 David UK London
Name Country City
To download the CSV file, what is needed in this example, console/command line is enough:
curl -O https://raw.githubusercontent.com/Asabeneh/30-Days-Of-Python/master/data/weight-height.csv
Put the downloaded file in your working directory.
import pandas as pd
df = pd.read_csv('weight-height.csv')
print(df)
Data Exploration
print(df.head()) # give five rows we can increase the number of rows by passing argument to the head() method
Let us also explore the last recordings of the dataframe using the tail() methods.
print(df.tail()) # tails give the last five rows, we can increase the rows by passing argument to tail method
As you can see the csv file has three rows: Gender, Height and Weight. If the DataFrame would have a long rows, it would be
hard to know all the columns. Therefore, we should use a method to know the colums. we do not know the number of rows. Let's
use shape meathod.
print(df.columns)
Index(['Gender', 'Height', 'Weight'], dtype='object')
Now, let us get a specific column using the column key
Height Weight
10000.00000
count 10000.000000
0
Similar to describe(), the info() method also give information about the dataset.
Modifying a DataFrame
Modifying a DataFrame: * We can create a new DataFrame * We can create a new column and add it to the DataFrame, * we can
remove an existing column from a DataFrame, * we can modify an existing column in a DataFrame, * we can change the data
type of column values in the DataFrame
Creating a DataFrame
As always, first we import the necessary packages. Now, lets import pandas and numpy, two best friends ever.
import pandas as pd
import numpy as np
data = [
{"Name": "Asabeneh", "Country":"Finland","City":"Helsinki"},
{"Name": "David", "Country":"UK","City":"London"},
{"Name": "John", "Country":"Sweden","City":"Stockholm"}]
df = pd.DataFrame(data)
print(df)
1 David UK London
First let's use the previous example to create a DataFrame. After we create the DataFrame, we will start modifying the columns
and column values.
1 David UK London 78
As you can see in the DataFrame above, we did add new columns, Weight and Height. Let's add one additional column called
BMI(Body Mass Index) by calculating their BMI using thier mass and height. BMI is mass divided by height squared (in meters) -
Weight/Height * Height.
As you can see, the height is in centimeters, so we shoud change it to meters. Let's modify the height row.
# Using functions makes our code clean, but you can calculate the bmi without one
def calculate_bmi ():
weights = df['Weight']
heights = df['Height']
bmi = []
for w,h in zip(weights, heights):
b = w/(h*h)
bmi.append(b)
return bmi
bmi = calculate_bmi()
df['BMI'] = bmi
df
Heigh
Name Country City Weight BMI
t
The BMI column values of the DataFrame are float with many significant digits after decimal. Let's change it to one significant
digit after point.
df['BMI'] = round(df['BMI'], 1)
print(df)
The information in the DataFrame seems not yet complete, let's add birth year and current year columns.
Heigh
Name Country City Weight BMI Birth Year Current Year
t
Heigh
Name Country City Weight BMI Birth Year Current Year Ages
t
The person in the first row lived so far for 251 years. It is unlikely for someone to live so long. Either it is a typo or the data is
cooked. So lets fill that data with average of the columns without including outlier.
Boolean Indexing
print(df[df['Ages'] > 120])
BM
Name Country City Weight Height Birth Year Current Year Ages
I
Nam Current
Country City Weight Height BMI Birth Year Ages
e Year
Exercises: Day 25
🎉 CONGRATULATIONS ! 🎉
📘 Day 26
o Python for Web
Flask
Folder structure
Setting up your project directory
Creating routes
Creating templates
Python Script
Navigation
Creating a layout
Serving Static File
Deployment
Creating Heroku account
Login to Heroku
Create requirements and Procfile
Pushing project to heroku
o Exercises: Day 26
📘 Day 26
Python for Web
Python is a general purpose programming language and it can be used for many places. In this section, we will see how we use
Python for the web. There are many Python web frame works. Django and Flask are the most popular ones. Today, we will see
how to use Flask for web development.
Flask
Flask is a web development framework written in Python. Flask uses Jinja2 template engine. Flask can be also used with other
modern front libraries such as React.
If you did not install the virtualenv package yet install it first. Virtual environment will allows to isolate project dependencies from
the local machine dependencies.
Folder structure
After completing all the step, your project file structure should look like this:
├── Procfile
├── app.py
├── env
│ ├── bin
├── requirements.txt
├── static
│ └── css
│ └── main.css
└── templates
├── about.html
├── home.html
├── layout.html
├── post.html
└── result.html
Now, let's create app.py file in the project directory and write the following code. The app.py file will be the main file in the
project. The following code has flask module, os module.
Creating routes
app = Flask(__name__)
@app.route('/about')
def about():
return '<h1>About us</h1>'
if __name__ == '__main__':
# for deployment we use the environ
# to make it work for both production and development
port = int(os.environ.get("PORT", 5000))
app.run(debug=True, host='0.0.0.0', port=port)
To run the flask application, write python app.py in the main flask application directory.
app = Flask(__name__)
@app.route('/about')
def about():
return '<h1>About us</h1>'
if __name__ == '__main__':
# for deployment we use the environ
# to make it work for both production and development
port = int(os.environ.get("PORT", 5000))
app.run(debug=True, host='0.0.0.0', port=port)
Now, we added the about route in the above code. How about if we want to render an HTML file instead of string? It is possible
to render HTML file using the function render_templae. Let us create a folder called templates and create home.html and
about.html in the project directory. Let us also import the render_template function from flask.
Creating templates
home.html
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8" />
<meta name="viewport" content="width=device-width, initial-scale=1.0" />
<title>Home</title>
</head>
<body>
<h1>Welcome Home</h1>
</body>
</html>
about.html
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8" />
<meta name="viewport" content="width=device-width, initial-scale=1.0" />
<title>About</title>
</head>
<body>
<h1>About Us</h1>
</body>
</html>
Python Script
app.py
# let's import the flask
from flask import Flask, render_template
import os # importing operating system module
app = Flask(__name__)
@app.route('/about')
def about():
return render_template('about.html')
if __name__ == '__main__':
# for deployment we use the environ
# to make it work for both production and development
port = int(os.environ.get("PORT", 5000))
app.run(debug=True, host='0.0.0.0', port=port)
As you can see to go to different pages or to navigate we need a navigation. Let's add a link to each page or let's create a layout
which we use to every page.
Navigation
<ul>
<li><a href="/">Home</a></li>
<li><a href="/about">About</a></li>
</ul>
Now, we can navigate between the pages using the above link. Let us create additional page which handle form data. You can
call it any name, I like to call it post.html.
We can inject data to the HTML files using Jinja2 template engine.
app = Flask(__name__)
@app.route('/about')
def about():
name = '30 Days Of Python Programming'
return render_template('about.html', name = name, title = 'About Us')
@app.route('/post')
def post():
name = 'Text Analyzer'
return render_template('post.html', name = name, title = name)
if __name__ == '__main__':
# for deployment
# to make it work for both production and development
port = int(os.environ.get("PORT", 5000))
app.run(debug=True, host='0.0.0.0', port=port)
Let's see the templates too:
home.html
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8" />
<meta name="viewport" content="width=device-width, initial-scale=1.0" />
<title>Home</title>
</head>
<body>
<ul>
<li><a href="/">Home</a></li>
<li><a href="/about">About</a></li>
</ul>
<h1>Welcome to {{name}}</h1>
<ul>
{% for tech in techs %}
<li>{{tech}}</li>
{% endfor %}
</ul>
</body>
</html>
about.html
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8" />
<meta name="viewport" content="width=device-width, initial-scale=1.0" />
<title>About Us</title>
</head>
<body>
<ul>
<li><a href="/">Home</a></li>
<li><a href="/about">About</a></li>
</ul>
<h1>About Us</h1>
<h2>{{name}}</h2>
</body>
</html>
Creating a layout
In the template files, there are lots of repeated codes, we can write a layout and we can remove the repetition. Let's create
layout.html inside the templates folder. After we create the layout we will import to every file.
Create a static folder in your project directory. Inside the static folder create CSS or styles folder and create a CSS stylesheet. We
use the url_for module to serve the static file.
layout.html
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8" />
<meta name="viewport" content="width=device-width, initial-scale=1.0" />
<link
href="https://fonts.googleapis.com/css?family=Lato:300,400|Nunito:300,400|Raleway:300,400,500&display=swap"
rel="stylesheet"
/>
<link
rel="stylesheet"
href="{{ url_for('static', filename='css/main.css') }}"
/>
{% if title %}
<title>30 Days of Python - {{ title}}</title>
{% else %}
<title>30 Days of Python</title>
{% endif %}
</head>
<body>
<header>
<div class="menu-container">
<div>
<a class="brand-name nav-link" href="/">30DaysOfPython</a>
</div>
<ul class="nav-lists">
<li class="nav-list">
<a class="nav-link active" href="{{ url_for('home') }}">Home</a>
</li>
<li class="nav-list">
<a class="nav-link active" href="{{ url_for('about') }}">About</a>
</li>
<li class="nav-list">
<a class="nav-link active" href="{{ url_for('post') }}"
>Text Analyzer</a
>
</li>
</ul>
</div>
</header>
<main>
{% block content %} {% endblock %}
</main>
</body>
</html>
Now, lets remove all the repeated code in the other template files and import the layout.html. The href is using url_for function
with the name of the route function to connect each navigation route.
home.html
{% endfor %}
</ul>
</div>
{% endblock %}
about.html
{% endblock %}
Request methods, there are different request methods(GET, POST, PUT, DELETE) are the common request methods which allow
us to do CRUD(Create, Read, Update, Delete) operation.
In the post, route we will use GET and POST method alternative depending on the type of request, check how it looks in the code
below. The request method is a function to handle request methods and also to access form data. app.py
app = Flask(__name__)
# to stop caching static file
app.config['SEND_FILE_MAX_AGE_DEFAULT'] = 0
@app.route('/about')
def about():
name = '30 Days Of Python Programming'
return render_template('about.html', name = name, title = 'About Us')
@app.route('/result')
def result():
return render_template('result.html')
if __name__ == '__main__':
# for deployment
# to make it work for both production and development
port = int(os.environ.get("PORT", 5000))
app.run(debug=True, host='0.0.0.0', port=port)
So far, we have seen how to use template and how to inject data to template, how to a common layout. Now, lets handle static
file. Create a folder called static in the project director and create a folder called css. Inside css folder create main.css. Your main.
css file will be linked to the layout.html.
You don't have to write the css file, copy and use it. Let's move on to deployment.
Deployment
Heroku provides a free deployment service for both front end and fullstack applications. Create an account on heroku and install
the heroku CLI for you machine. After installing heroku write the following command
Login to Heroku
requirements.txt
Procfile
1. git init
2. git add .
3. git commit -m "commit message"
4. heroku create 'name of the app as one word'
5. git push heroku master
6. heroku open(to launch the deployed application)
Exercises: Day 26
1. You will build this application. Only the text analyser part is left
🎉 CONGRATULATIONS ! 🎉
📘 Day 27
Python with MongoDB
o MongoDB
SQL versus NoSQL
Getting Connection String(MongoDB URI)
Connecting Flask application to MongoDB Cluster
Creating a database and collection
Inserting many documents to collection
MongoDB Find
Find with Query
Find query with modifier
Limiting documents
Find with sort
Update with query
Delete Document
Drop a collection
o 💻 Exercises: Day 27
📘 Day 27
MongoDB
MongoDB is a NoSQL database. MongoDB stores data in a JSON like document which make MongoDB very flexible and scalable.
Let us see the different terminologies of SQL and NoSQL databases. The following table will make the difference between SQL
versus NoSQL databases.
In this section, we will focus on a NoSQL database MongoDB. Lets sign up on mongoDB by click on the sign in button then click
register on the next page.
Choose the proximate free region and give any name for you cluster.
Now, a free sandbox is created
Copy the connection string link and you will get something like this
mongodb+srv://asabeneh:<password>@30daysofpython-twxkr.mongodb.net/test?retryWrites=true&w=majority
Do not worry about the url, it is a means to connect your application with mongoDB. Let us replace the password placeholder
with the password you used to add a user.
Example:
mongodb+srv://asabeneh:123123123@30daysofpython-twxkr.mongodb.net/test?retryWrites=true&w=majority
Now, I replaced everything and the password is 123123 and the name of the database is thirty_days_python. This is just an
example, your password must be a bit stronger than this.
Python needs a mongoDB driver to access mongoDB database. We will use pymongo with dnspython to connect our application
with mongoDB base . Inside your project directory install pymongo and dnspython.
app = Flask(__name__)
if __name__ == '__main__':
# for deployment we use the environ
# to make it work for both production and development
port = int(os.environ.get("PORT", 5000))
app.run(debug=True, host='0.0.0.0', port=port)
When we run the above code we get the default mongoDB databases.
['admin', 'local']
Let us create a database, database and collection in mongoDB will be created if it doesn't exist. Let's create a data base
name thirty_days_of_python and students collection. To create a database
app = Flask(__name__)
if __name__ == '__main__':
# for deployment we use the environ
# to make it work for both production and development
port = int(os.environ.get("PORT", 5000))
app.run(debug=True, host='0.0.0.0', port=port)
After we create a database, we also created a students collection and we used insert_one() method to insert a document. Now,
the database thirty_days_of_python and students collection have been created and the document has been inserted. Check your
mongoDB cluster and you will see both the database and the collection. Inside the collection, there will be a document.
If you have seen on the figure, the document has been created with a long id which acts as a primary key. Every time we create a
document mongoDB create and unique id for it.
Inserting many documents to collection
The insert_one() method inserts one item at a time if we want to insert many documents at once either we
use insert_many() method or for loop. We can use for loop to inset many documents at once.
students = [
{'name':'David','country':'UK','city':'London','age':34},
{'name':'John','country':'Sweden','city':'Stockholm','age':28},
{'name':'Sami','country':'Finland','city':'Helsinki','age':25},
]
for student in students:
db.students.insert_one(student)
app = Flask(__name__)
if __name__ == '__main__':
# for deployment we use the environ
# to make it work for both production and development
port = int(os.environ.get("PORT", 5000))
app.run(debug=True, host='0.0.0.0', port=port)
MongoDB Find
The find() and findOne() methods are common method to find data in a collection in mongoDB database. It is similar to the
SELECT statement in a MySQL database. Let us use the find_one() method to get a document in a database collection.
app = Flask(__name__)
if __name__ == '__main__':
# for deployment we use the environ
# to make it work for both production and development
port = int(os.environ.get("PORT", 5000))
app.run(debug=True, host='0.0.0.0', port=port)
{'_id': ObjectId('5df68a21f106fe2d315bbc8b'), 'name': 'Asabeneh', 'country': 'Helsinki', 'city': 'Helsinki', 'age': 250}
The above query returns the first entry but we can target specific document using specific _id. Let us do one example, use David's
id to get David object. '_id':ObjectId('5df68a23f106fe2d315bbc8c')
app = Flask(__name__)
if __name__ == '__main__':
# for deployment we use the environ
# to make it work for both production and development
port = int(os.environ.get("PORT", 5000))
app.run(debug=True, host='0.0.0.0', port=port)
{'_id': ObjectId('5df68a23f106fe2d315bbc8c'), 'name': 'David', 'country': 'UK', 'city': 'London', 'age': 34}
We have seen, how to use find_one() using the above examples. Let's move one to find()
find(): returns all the occurrence from a collection if we don't pass a query object. The object is pymongo.cursor object.
MONGODB_URI = 'mongodb+srv://asabeneh:your_password_goes_here@30daysofpython-twxkr.mongodb.net/test?
retryWrites=true&w=majority'
client = pymongo.MongoClient(MONGODB_URI)
db = client['thirty_days_of_python'] # accessing the database
students = db.students.find()
for student in students:
print(student)
app = Flask(__name__)
if __name__ == '__main__':
# for deployment we use the environ
# to make it work for both production and development
port = int(os.environ.get("PORT", 5000))
app.run(debug=True, host='0.0.0.0', port=port)
{'_id': ObjectId('5df68a21f106fe2d315bbc8b'), 'name': 'Asabeneh', 'country': 'Finland', 'city': 'Helsinki', 'age': 250}
{'_id': ObjectId('5df68a23f106fe2d315bbc8c'), 'name': 'David', 'country': 'UK', 'city': 'London', 'age': 34}
{'_id': ObjectId('5df68a23f106fe2d315bbc8d'), 'name': 'John', 'country': 'Sweden', 'city': 'Stockholm', 'age': 28}
{'_id': ObjectId('5df68a23f106fe2d315bbc8e'), 'name': 'Sami', 'country': 'Finland', 'city': 'Helsinki', 'age': 25}
We can specify which fields to return by passing second object in the find({}, {}). 0 means not include and 1 means include but we
can not mix 0 and 1, except for _id.
MONGODB_URI = 'mongodb+srv://asabeneh:your_password_goes_here@30daysofpython-twxkr.mongodb.net/test?
retryWrites=true&w=majority'
client = pymongo.MongoClient(MONGODB_URI)
db = client['thirty_days_of_python'] # accessing the database
students = db.students.find({}, {"_id":0, "name": 1, "country":1}) # 0 means not include and 1 means include
for student in students:
print(student)
app = Flask(__name__)
if __name__ == '__main__':
# for deployment we use the environ
# to make it work for both production and development
port = int(os.environ.get("PORT", 5000))
app.run(debug=True, host='0.0.0.0', port=port)
{'name': 'Asabeneh', 'country': 'Finland'}
{'name': 'David', 'country': 'UK'}
{'name': 'John', 'country': 'Sweden'}
{'name': 'Sami', 'country': 'Finland'}
In mongoDB find take a query object. We can pass a query object and we can filter the documents we like to filter out.
MONGODB_URI = 'mongodb+srv://asabeneh:your_password_goes_here@30daysofpython-twxkr.mongodb.net/test?
retryWrites=true&w=majority'
client = pymongo.MongoClient(MONGODB_URI)
db = client['thirty_days_of_python'] # accessing the database
query = {
"country":"Finland"
}
students = db.students.find(query)
app = Flask(__name__)
if __name__ == '__main__':
# for deployment we use the environ
# to make it work for both production and development
port = int(os.environ.get("PORT", 5000))
app.run(debug=True, host='0.0.0.0', port=port)
{'_id': ObjectId('5df68a21f106fe2d315bbc8b'), 'name': 'Asabeneh', 'country': 'Finland', 'city': 'Helsinki', 'age': 250}
{'_id': ObjectId('5df68a23f106fe2d315bbc8e'), 'name': 'Sami', 'country': 'Finland', 'city': 'Helsinki', 'age': 25}
Query with modifiers
MONGODB_URI = 'mongodb+srv://asabeneh:your_password_goes_here@30daysofpython-twxkr.mongodb.net/test?
retryWrites=true&w=majority'
client = pymongo.MongoClient(MONGODB_URI)
db = client['thirty_days_of_python'] # accessing the database
query = {
"city":"Helsinki"
}
students = db.students.find(query)
for student in students:
print(student)
app = Flask(__name__)
if __name__ == '__main__':
# for deployment we use the environ
# to make it work for both production and development
port = int(os.environ.get("PORT", 5000))
app.run(debug=True, host='0.0.0.0', port=port)
{'_id': ObjectId('5df68a21f106fe2d315bbc8b'), 'name': 'Asabeneh', 'country': 'Finland', 'city': 'Helsinki', 'age': 250}
{'_id': ObjectId('5df68a23f106fe2d315bbc8e'), 'name': 'Sami', 'country': 'Finland', 'city': 'Helsinki', 'age': 25}
MONGODB_URI = 'mongodb+srv://asabeneh:your_password_goes_here@30daysofpython-twxkr.mongodb.net/test?
retryWrites=true&w=majority'
client = pymongo.MongoClient(MONGODB_URI)
db = client['thirty_days_of_python'] # accessing the database
query = {
"country":"Finland",
"city":"Helsinki"
}
students = db.students.find(query)
for student in students:
print(student)
app = Flask(__name__)
if __name__ == '__main__':
# for deployment we use the environ
# to make it work for both production and development
port = int(os.environ.get("PORT", 5000))
app.run(debug=True, host='0.0.0.0', port=port)
{'_id': ObjectId('5df68a21f106fe2d315bbc8b'), 'name': 'Asabeneh', 'country': 'Finland', 'city': 'Helsinki', 'age': 250}
{'_id': ObjectId('5df68a23f106fe2d315bbc8e'), 'name': 'Sami', 'country': 'Finland', 'city': 'Helsinki', 'age': 25}
Query with modifiers
MONGODB_URI = 'mongodb+srv://asabeneh:your_password_goes_here@30daysofpython-twxkr.mongodb.net/test?
retryWrites=true&w=majority'
client = pymongo.MongoClient(MONGODB_URI)
db = client['thirty_days_of_python'] # accessing the database
query = {"age":{"$gt":30}}
students = db.students.find(query)
for student in students:
print(student)
app = Flask(__name__)
if __name__ == '__main__':
# for deployment we use the environ
# to make it work for both production and development
port = int(os.environ.get("PORT", 5000))
app.run(debug=True, host='0.0.0.0', port=port)
{'_id': ObjectId('5df68a21f106fe2d315bbc8b'), 'name': 'Asabeneh', 'country': 'Finland', 'city': 'Helsinki', 'age': 250}
{'_id': ObjectId('5df68a23f106fe2d315bbc8c'), 'name': 'David', 'country': 'UK', 'city': 'London', 'age': 34}
# let's import the flask
from flask import Flask, render_template
import os # importing operating system module
import pymongo
MONGODB_URI = 'mongodb+srv://asabeneh:your_password_goes_here@30daysofpython-twxkr.mongodb.net/test?
retryWrites=true&w=majority'
client = pymongo.MongoClient(MONGODB_URI)
db = client['thirty_days_of_python'] # accessing the database
query = {"age":{"$gt":30}}
students = db.students.find(query)
for student in students:
print(student)
{'_id': ObjectId('5df68a23f106fe2d315bbc8d'), 'name': 'John', 'country': 'Sweden', 'city': 'Stockholm', 'age': 28}
{'_id': ObjectId('5df68a23f106fe2d315bbc8e'), 'name': 'Sami', 'country': 'Finland', 'city': 'Helsinki', 'age': 25}
Limiting documents
We can limit the number of documents we return using the limit() method.
By default, sort is in ascending order. We can change the sorting to descending order by adding -1 parameter.
MONGODB_URI = 'mongodb+srv://asabeneh:your_password_goes_here@30daysofpython-twxkr.mongodb.net/test?
retryWrites=true&w=majority'
client = pymongo.MongoClient(MONGODB_URI)
db = client['thirty_days_of_python'] # accessing the database
students = db.students.find().sort('name')
for student in students:
print(student)
students = db.students.find().sort('name',-1)
for student in students:
print(student)
students = db.students.find().sort('age')
for student in students:
print(student)
students = db.students.find().sort('age',-1)
for student in students:
print(student)
app = Flask(__name__)
if __name__ == '__main__':
# for deployment we use the environ
# to make it work for both production and development
port = int(os.environ.get("PORT", 5000))
app.run(debug=True, host='0.0.0.0', port=port)
Ascending order
{'_id': ObjectId('5df68a21f106fe2d315bbc8b'), 'name': 'Asabeneh', 'country': 'Finland', 'city': 'Helsinki', 'age': 250}
{'_id': ObjectId('5df68a23f106fe2d315bbc8c'), 'name': 'David', 'country': 'UK', 'city': 'London', 'age': 34}
{'_id': ObjectId('5df68a23f106fe2d315bbc8d'), 'name': 'John', 'country': 'Sweden', 'city': 'Stockholm', 'age': 28}
{'_id': ObjectId('5df68a23f106fe2d315bbc8e'), 'name': 'Sami', 'country': 'Finland', 'city': 'Helsinki', 'age': 25}
Descending order
{'_id': ObjectId('5df68a23f106fe2d315bbc8e'), 'name': 'Sami', 'country': 'Finland', 'city': 'Helsinki', 'age': 25}
{'_id': ObjectId('5df68a23f106fe2d315bbc8d'), 'name': 'John', 'country': 'Sweden', 'city': 'Stockholm', 'age': 28}
{'_id': ObjectId('5df68a23f106fe2d315bbc8c'), 'name': 'David', 'country': 'UK', 'city': 'London', 'age': 34}
{'_id': ObjectId('5df68a21f106fe2d315bbc8b'), 'name': 'Asabeneh', 'country': 'Finland', 'city': 'Helsinki', 'age': 250}
We will use update_one() method to update one item. It takes two object one is a query and the second is the new object. The
first person, Asabeneh got a very implausible age. Let us update Asabeneh's age.
MONGODB_URI = 'mongodb+srv://asabeneh:your_password_goes_here@30daysofpython-twxkr.mongodb.net/test?
retryWrites=true&w=majority'
client = pymongo.MongoClient(MONGODB_URI)
db = client['thirty_days_of_python'] # accessing the database
query = {'age':250}
new_value = {'$set':{'age':38}}
db.students.update_one(query, new_value)
# lets check the result if the age is modified
for student in db.students.find():
print(student)
app = Flask(__name__)
if __name__ == '__main__':
# for deployment we use the environ
# to make it work for both production and development
port = int(os.environ.get("PORT", 5000))
app.run(debug=True, host='0.0.0.0', port=port)
{'_id': ObjectId('5df68a21f106fe2d315bbc8b'), 'name': 'Asabeneh', 'country': 'Finland', 'city': 'Helsinki', 'age': 38}
{'_id': ObjectId('5df68a23f106fe2d315bbc8c'), 'name': 'David', 'country': 'UK', 'city': 'London', 'age': 34}
{'_id': ObjectId('5df68a23f106fe2d315bbc8d'), 'name': 'John', 'country': 'Sweden', 'city': 'Stockholm', 'age': 28}
{'_id': ObjectId('5df68a23f106fe2d315bbc8e'), 'name': 'Sami', 'country': 'Finland', 'city': 'Helsinki', 'age': 25}
When we want to update many documents at once we use upate_many() method.
Delete Document
The method delete_one() deletes one document. The delete_one() takes a query object parameter. It only removes the first
occurrence. Let us remove one John from the collection.
MONGODB_URI = 'mongodb+srv://asabeneh:your_password_goes_here@30daysofpython-twxkr.mongodb.net/test?
retryWrites=true&w=majority'
client = pymongo.MongoClient(MONGODB_URI)
db = client['thirty_days_of_python'] # accessing the database
query = {'name':'John'}
db.students.delete_one(query)
app = Flask(__name__)
if __name__ == '__main__':
# for deployment we use the environ
# to make it work for both production and development
port = int(os.environ.get("PORT", 5000))
app.run(debug=True, host='0.0.0.0', port=port)
{'_id': ObjectId('5df68a21f106fe2d315bbc8b'), 'name': 'Asabeneh', 'country': 'Finland', 'city': 'Helsinki', 'age': 38}
{'_id': ObjectId('5df68a23f106fe2d315bbc8c'), 'name': 'David', 'country': 'UK', 'city': 'London', 'age': 34}
{'_id': ObjectId('5df68a23f106fe2d315bbc8e'), 'name': 'Sami', 'country': 'Finland', 'city': 'Helsinki', 'age': 25}
As you can see John has been removed from the collection.
When we want to delete many documents we use delete_many() method, it takes a query object. If we pass an empty query
object to delete_many({}) it will delete all the documents in the collection.
Drop a collection
MONGODB_URI = 'mongodb+srv://asabeneh:your_password_goes_here@30daysofpython-twxkr.mongodb.net/test?
retryWrites=true&w=majority'
client = pymongo.MongoClient(MONGODB_URI)
db = client['thirty_days_of_python'] # accessing the database
db.students.drop()
Now, we have deleted the students collection from the database.
💻 Exercises: Day 27
🎉 CONGRATULATIONS ! 🎉