Unit 2 Python Notes
Unit 2 Python Notes
File Handling
File handling in Python is a powerful and versatile tool that can be used to perform a wide
range of operations.
Python too supports file handling and allows users to handle files i.e., to read and write files,
along with many other file handling options, to operate on files.
Python treats files differently as text or binary and this is important. Each line of code includes
a sequence of characters and they form a text file. Each line of a file is terminated with a
special character, called the EOL or End of Line characters like comma {,} or newline
character. It ends the current line and tells the interpreter a new one has begun.
Eg: abc.txt
Hello World
Good Morning
123456789
Example 1: The open command will open the file in the read mode and the for loop will print
each line present in the file.
Output
Hello World
Good Morning
123456789
Example 2: In this example, we will extract a string that contains all characters in the file then
we can use file.read().
Example 3: In this example, we will see how we can read a file using the with statement.
print(data)
Example 4: Another way to read a file is to call a certain number of characters like in the
following code the interpreter will read the first five characters of stored data and return it as a
string:
Output
Hello
Example 5:
We can also split lines while reading files in Python. The split() function splits the variable
when space is encountered. You can also split using any characters as you wish.
Output
['Hello', 'world']
['Good' , ‘Morning’]
['123456789']
Creating a File using the write() Function
Just like reading a file in Python, there are a number of ways to write in a file in Python .
Let us see how we can write the content of a file using the write() function in Python.
Example 1: In this example, we will see how the write mode and the write() function is used
to write in a file. The close() command terminates all the resources in use and frees the system
of this particular program.
Output:
This is the write commandIt allows us to write in a particular file
Example 2: We can also use the written statement along with the with() function.
Eg:
# Python code to illustrate append() mode
file = open('abc.txt', 'a')
file.write("This will add this line")
file.close()
Python provides inbuilt functions for creating, writing, and reading files. There are two types
of files that can be handled in Python, normal text files and binary files (written in binary
language, 0s, and 1s).
Text files: In this type of file, each line of text is terminated with a special character
called EOL (End of Line), which is the new line character (‘\n’) in Python by default. In
the case of CSV(Comma Separated Files, the EOF is a comma by default).
Binary files: In this type of file, there is no terminator for a line, and the data is stored after
converting it into machine-understandable binary language, i.e., 0 and 1 format.
Opening a File in Python
Opening a file refers to getting the file ready either for reading or for writing. This can be done
using the open() function. This function returns a file object and takes two arguments, one that
accepts the file name and another that accepts the mode (Access Mode). Now, the question
arises what is the access mode? Access modes govern the type of operations possible in the
opened file. It refers to how the file will be used once it’s opened. These modes also define the
location of the File Handle in the file. The file handle is like a cursor, which defines where
the data has to be read or written in the file. There are 6 access modes in Python.
Mode Description
‘r’ Open text file for reading. Raises an I/O error if the file does not exist.
‘r+’ Open the file for reading and writing. Raises an I/O error if the file does not exist.
Open the file for writing. Truncates the file if it already exists. Creates a new file if it
‘w’
does not exist.
Open the file for reading and writing. Truncates the file if it already exists. Creates a
‘w+’
new file if it does not exist.
Open the file for writing. The data being written will be inserted at the end of the
‘a’
file. Creates a new file if it does not exist.
Open the file for reading and writing. The data being written will be inserted at the
‘a+’
end of the file. Creates a new file if it does not exist.
Open the file for reading in binary format. Raises an I/O error if the file does not
‘rb’
exist.
Open the file for reading and writing in binary format. Raises an I/O error if the file
‘rb+’
does not exist.
Open the file for writing in binary format. Truncates the file if it already exists.
‘wb’
Creates a new file if it does not exist.
Open the file for reading and writing in binary format. Truncates the file if it already
‘wb+’
exists. Creates a new file if it does not exist.
Mode Description
Open the file for appending in binary format. Inserts data at the end of the file.
‘ab’
Creates a new file if it does not exist.
Open the file for reading and appending in binary format. Inserts data at the end of
‘ab+’
the file. Creates a new file if it does not exist.
Note: The file should exist in the same directory as the Python script, otherwise full address of
the file should be written. If the file is not exist, then an error is generated, that the file does not
exist.
In this example, we are reading data from a Txt file (myfile.txt). We have used read() to read
the data.
File1 = open("myfile.txt")
file1.close()
Output
Welcome to my class
Note: In the above example, we haven’t provided the access mode. By default, the open()
function will open the file in read mode, if no parameter is provided.
Adding data to the existing file in Python
If you want to add more data to an already created file, then the access mode should be ‘a’
which is append mode, if we select ‘w’ mode then the existing text will be overwritten by the
new data.
# Writing to file
file1.write("\nWriting to file:)" )
# Closing file
file1.close()
Output
Welcome to my class
Writing to file
Output
Hello, world!
The readline() method in Python is used to read a single line from a file that has been opened
for reading. When readline() is used in the code, it reads the next line of the file and returns it
as a string.
In this example, we are reading data line by line from a file named test.txt and printing it into
the terminal.
# Open a file for reading
file = open('test.txt', 'r')
# Loop through the rest of the file and print each line
while line:
print(line)
line = file.readline()
Output
Welcome to class 1
Welcome to class 2
Welcome to class 3
Here, file1 is created as object for MyFile1 and file2 as object for MyFile2.
Closing a file
close() function closes the file and frees the memory space acquired by that file. It is used at
the time when the file is no longer needed or if it is to be opened in a different file mode.
Syntax: File_object.close()
With statement
with statement in Python is used in exception handling to make the code cleaner and much
more readable. It simplifies the management of common resources like file streams. Unlike the
above implementations, there is no need to call file.close() when using with statement. The
with statement itself ensures proper acquisition and release of resources.
Syntax: with open filename as file:
# Program to show various ways to
# read data from a file.
# Creating a file
with open("myfile.txt", "w") as file1:
# Writing data to a file
file1.write("Hello \n")
file1.writelines(L)
file1.close() # to change file access modes
Output:
Hello
This is Delhi
This is Paris
This is London
Opening a File
It is done using the open() function. No module is required to be imported for this function.
The file should exist in the same directory as the python program file else, full address of the
file should be written on place of filename.
Note: The r is placed before filename to prevent the characters in filename string to be treated
as special character. For example, if there is \temp in the file address, then \t is treated as the
tab character and error is raised of invalid address. The r makes the string raw, that is, it tells
that the string is without any special characters. The r can be ignored if the file is in same
directory and address is not being placed.
Here, file1 is created as object for MyFile1 and file2 as object for MyFile2.
Closing a file
close() function closes the file and frees the memory space acquired by that file. It is used at
the time when the file is no longer needed or if it is to be opened in a different file mode.
Syntax: File_object.close()
# Opening and Closing a file "MyFile.txt"
# for object name file1.
file1 = open("MyFile.txt", "w")
file1.close()
Writing to file
There are two ways to write in a file.
1. write() : Inserts the string str1 in a single line in the text file.
File_object.write(str1)
1. writelines() : For a list of string elements, each string is inserted in the text file. Used to
insert multiple strings at a single time.
File_object.writelines(L) for L = [str1, str2, str3]
Note: ‘\n’ is treated as a special character of two bytes.
Example
# Python program to demonstrate
# writing to file
# Opening a file
file1 = open('myfile.txt', 'w')
L = ["This is Delhi \n", "This is Paris \n", "This is London \
n"]
s = "Hello\n"
# Closing file
file1.close()
Output
Hello
This is Delhi
This is Paris
This is London
Appending to a file
When the file is opened in append mode, the handle is positioned at the end of the file. The
data being written will be inserted at the end, after the existing data. Let’s see the below
example to clarify the difference between write mode and append mode.
# Python program to illustrate
# Append vs write mode
file1 = open("myfile.txt", "w")
L = ["This is Delhi \n", "This is Paris \n", "This is London \
n"]
file1.writelines(L)
file1.close()
# Append-adds at last
file1 = open("myfile.txt", "a") # append mode
file1.write("Today \n")
file1.close()
# Write-Overwrites
file1 = open("myfile.txt", "w") # write mode
file1.write("Tomorrow \n")
file1.close()
Output
Output of Readlines after appending
This is Delhi
This is Paris
This is London
Today
With statement
with statement in Python is used in exception handling to make the code cleaner and much
more readable. It simplifies the management of common resources like file streams. Unlike the
above implementations, there is no need to call file.close() when using with statement. The
with statement itself ensures proper acquisition and release of resources.
# Writing to file
with open("myfile.txt", "w") as file1:
# Writing data to a file
file1.write("Hello \n")
file1.writelines(L)
Output
Hello
This is Delhi
This is Paris
This is London
Output
This is the first line
This is the second line
This is the third line
Approach:
The code opens a file called file.txt in write mode using a with block to ensure the file is
properly closed when the block ends. It defines a list of strings called data that represents the
lines to be written to the file. The code then uses a for loop to iterate through each string in
data, and writes each string to the file using the write() method. The code appends a newline
character to each string to ensure that each string is written on a new line in the file. The code
optionally prints each string as it is written to the file.
Functions
Collection of several statements with a given name for some specific task.
Arguments & Returns: can take input as arguments & returns the result as values.
def function_name():
function_body
Eg:
def message():
print("Enter a value: ")
Eg:
def message():
print("Enter a value: ")
Output
We start here.
We end here.
This means that Python reads the function's definitions and remembers them, but won't launch
any of them without your permission.
Eg: we've inserted the function's invocation between the start and end messages:
def message():
print("Enter a value: ")
Output
We start here.
Enter a value:
We end here.
when you invoke a function, Python remembers the place where it happened
and jumps into the invoked function;
the body of the function is then executed;
reaching the end of the function forces Python to return to the place directly after the
point of invocation.
There are two, very important, catches. Here's the first of them:
Remember - Python reads your code from top to bottom. It's not going to look ahead in
order to find a function you forgot to put in the right place ("right" means "before
invocation".)
We've inserted an error into this code ‒ can you see the difference?
Eg:
def message():
print("Enter a value: ")
Output
message()
NameError: name 'message' is not defined
Note; Don't try to force Python to look for functions you didn't deliver at the right time.
Output
Assigning a value to the name message causes Python to forget its previous role. The function
named message becomes unavailable.
Eg:
def message():
print("Enter a value: ")
message()
a = int(input())
message()
b = int(input())
message()
c = int(input())
Output
Enter a value:
10
Enter a value:
20
Enter a value:
23
How functions communicate with their environment
Parameterized functions
A parameter is actually a variable, but there are two important factors that make parameters
different and special:
parameters exist only inside functions in which they have been defined, and the only
place where the parameter can be defined is a space between a pair of parentheses in
the def statement;
assigning a value to the parameter is done at the time of the function's invocation, by
specifying the corresponding argument.
Syntax:
def function(parameter):
###
Eg:
def message(number):
print("Enter a number:", number)
message() # message(1)
Output
TypeError: message() missing 1 required positional argument:
'number'
It's legal, and possible, to have a variable named the same as a function's parameter.
def message(number)
print("Enter a number:", number)
number=1234
message(1)
print(number)
Output
1
1234
A function can have as many parameters as you want, but the more parameters you have, the
harder it is to memorize their roles and purposes.
Eg:
def message(what, number):
print("Enter", what, "number", number)
message("telephone", 11)
message("price", 5)
message("number", "number")
Output
Enter telephone number 11
Enter price number 5
Enter number number number
Eg:
def my_function(a, b, c):
print(a, b, c)
my_function(1, 2, 3)
Output
1 2 3
Eg:
def introduction(first_name, last_name):
print("Hello, my name is", first_name, last_name)
introduction("Luke", "Skywalker")
introduction("Jesse", "Quick")
introduction("Clark", "Kent")
Output
Hello, my name is Luke Skywalker
Hello, my name is Jesse Quick
Hello, my name is Clark Kent
Python offers another convention for passing arguments, where the meaning of the argument is
dictated by its name, not by its position ‒ it's called keyword argument passing.
Eg:
Output
Hello, my name is James Bond
Hello, my name is Luke Skywalker
Note: But you shouldn’t use non-existant parameter name.
Eg:
def introduction(first_name, last_name):
print("Hello, my name is", first_name, last_name)
introduction(surname="Skywalker", first_name="Luke")
Output
TypeError: introduction() got an unexpected keyword
argument 'surname'
Mixing positional and keyword arguments
You can mix both styles if you want ‒ there is only one unbreakable rule: you have to
put positional arguments before keyword arguments.
Eg:
def adding(a, b, c):
print(a, "+", b, "+", c, "=", a + b + c)
adding(1, 2, 3)
Output
1 + 2 + 3 = 6
You can replace such an invocation with a purely keyword variant, like this:
adding(c = 1, a = 2, b = 3)
Our program will output a line like this:
2+3+1=6
the argument (3) for the a parameter is passed using the positional way;
the arguments for c and b are specified as keyword ones.
This is what you'll see in the console: 3 + 2 + 1 = 6
Be careful, and beware of mistakes. If you try to pass more than one value to one argument, all
you'll get is a runtime error.
Look at the invocation below - it seems that we've tried to set a twice:
adding(3, a = 1, b = 2)
Python's response: TypeError: adding() got multiple values for argument 'a'
Parametrized functions – more details
It happens at times that a particular parameter's values are in use more often than others. Such
arguments may have their default (predefined) values taken into consideration when their
corresponding arguments have been omitted.
Eg:
Output
Hello, my name is James Doe
Hello, my name is Henry Smith
Hello, my name is William Smith
Eg;
def introduction(first_name="John", last_name="Smith"):
print("Hello, my name is", first_name, last_name)
introduction()
introduction(last_name="Hopkins")
Output
John Smith
John Hopkins
Returning a result from a function
Effects and results: the return instruction
To get functions to return a value (but not only for this purpose) you use the return instruction.
The return instruction has two different variants ‒ let's consider them separately.
Eg:
Output
Three...
Two...
One...
Happy New Year!
happy_new_year(False)
the return instruction will cause its termination just before the wishes ‒ this is the updated output:
Three...
Two...
One...
return with an expression
def function():
return expression
Eg:
def boring_function():
return 123
x = boring_function()
Output
The return instruction, enriched with the expression (the expression is very simple here),
"transports" the expression's value to the place where the function has been invoked.
Eg:
def boring_function():
print("'Boredom Mode' ON.")
return 123
Its data doesn't represent any reasonable value ‒ actually, it's not a value at all; hence, it mustn't
take part in any expressions.
print(None + 2)
Don't forget this: if a function doesn't return a certain value using a return expression clause, it is
assumed that it implicitly returns None.
def strange_function(n):
if(n%2==0):
return True
print(strange_function(2))
print(strange_function(1))
Output
True
None
Scopes in Python
Here you will learn about scopes in Python, and the global keyword. By the end of the section
you will be able to distinguish between local and global variables, and know how to utilize the
mechanism of namespaces in your programs.
For example, the scope of a function's parameter is the function itself. The parameter is
inaccessible outside the function.
Eg:
def scope_test():
x = 123
scope_test()
print(x)
Output
Traceback (most recent call last):
File "main.py", line 6, in <module>
print(x)
NameError: name 'x' is not defined
Let's start by checking whether or not a variable created outside any function is visible inside the
functions. In other words, does a variable's name propagate into a function's body?
Eg:
def my_function():
print("Do I know that variable?", var)
var = 1
my_function()
print(var)
Output
Do I know that variable? 1
1
The answer is: a variable existing outside a function has scope inside the function's body.
var=1
my_function()
print(var)
Output
What's happened?
the var variable created inside the function is not the same as when defined outside it ‒ it seems
that there two different variables of the same name;
moreover, the function's variable shadows the variable coming from the outside world.
Note: A variable existing outside a function has scope inside the function's body, excluding
those which define a variable of the same name.
It also means that the scope of a variable existing outside a function is supported only when
getting its value (reading). Assigning a value forces the creation of the function's own variable.
You should now have arrived at the following question: does this mean that a function is not able
to modify a variable defined outside it? This would create a lot of discomfort.
There's a special Python method which can extend a variable's scope in a way which includes the
function's body (even if you want not only to read the values, but also to modify them).
global name
global name1, name2, ...
Using this keyword inside a function with the name (or names separated with commas) of a
variable (or variables), forces Python to refrain from creating a new variable inside the function ‒
the one accessible from outside will be used instead.
In other words, this name becomes global (it has global scope, and it doesn't matter whether it's
the subject of read or assign).
Eg:
def my_function():
global var
var = 2
print("Do I know that variable?", var)
var = 1
my_function()
print(var)
Output
Do I know that variable? 2
2
Eg:
def my_function(n):
print("I got", n)
n += 1
print("I have", n)
var = 1
my_function(var)
print(var)
Output
I got 1
I have 2
1
The conclusion is obvious ‒ changing the parameter's value doesn't propagate outside the
function (in any case, not when the variable is a scalar, like in the example).
This also means that a function receives the argument's value, not the argument itself. This is
true for scalars.
Eg:
def my_function(my_list_1):
print("Print #1:", my_list_1)
printprint("Print #2:", my_list_2)
my_list_1 = [0, 1]
print("Print #3:", my_list_1)
print("Print #4:", my_list_2)
my_list_2 = [2, 3]
my_function(my_list_2)
print("Print #5:", my_list_2)
Output
Print #1: [2, 3]
Print #2: [2, 3]
Print #3: [0, 1]
Print #4: [2, 3]
Print #5: [2, 3]
Note : 1. A variable that exists outside a function has scope inside the function body unless the
function defines a variable of the same name .
2. A variable that exists inside a function has scope inside the function body.
Exceptions
Errors in data vs. errors in code
Dealing with programming errors has (at least) two sides. The one appears when you get into
trouble because your – apparently correct – code is fed with bad data. For example, you expect
the code will input an integer value, but your careless user enters some random letters instead.
The other side of dealing with programming errors reveals itself when undesirable code behavior
is caused by mistakes you made when you were writing your program. This kind of error is
commonly called a “bug”, which is a manifestation of a well-established belief that if a program
works badly, it must be caused by malicious bugs which live inside the computer hardware and
cause short circuits or other interference.
Let's write a piece code – it will read a natural number (a non-negative integer) and print its
reciprocal. In this way, 2 will turn into 0.5 (1/2) and 4 into 0.25 (1/4). Here’s the program:
Output
Enter a natural number: 4
The reciprocal of 4 is 0.25
Entering data that is not an integer (which also includes entering nothing at all) will completely
ruin the program execution. This is what the user will see:
The first word in the line is the name of the exception which causes your code to stop.
It's ValueError here. The rest of the line is just a brief explanation which more precisely specifies
the cause of the occurred exception.
try:
# It's a place where
# you can do something
# without asking for permission.
except:
# It's a spot dedicated to
# solemnly begging for forgiveness.
first, starting with the try keyword – this is the place where you put the code you suspect
is risky and may be terminated in case of error;
Note: this kind of error is called an exception, while the exception occurrence is
called raising – we can say that an exception is (or was) raised;
second, the part of the code starting with the except keyword is designed to handle the
exception; it's up to you what you want to do here: you can clean up the mess or you can
just sweep the problem under the carpet.
try:
value = int(input('Enter a natural number: '))
print('The reciprocal of', value, 'is', 1/value)
except:
print('I do not know what to do.')
Output
Enter a natural number: r
I do not know what to do.
any part of the code placed between try and except is executed in a very special way –
any error which occurs here won't terminate program execution. Instead, the control will
immediately jump to the first line situated after the except keyword, and no other part of
the try branch is executed;
the code in the except branch is activated only when an exception has been encountered
inside the try block. There is no way to get there by any other means;
when either the try block or the except block is executed successfully, the control returns
to the normal path of execution, and any code located beyond in the source file is
executed as if nothing happened.
As you can see, we've just introduced the second except branch. This is not the only difference –
note that both branches have exception names specified. In this variant, each of the expected
exceptions has its own way of handling the error, but it must be emphasized that only one of all
branches can intercept the control – if one of the branches is executed, all the other branches
remain idle.
Eg:
try:
value = int(input('Enter a natural number: '))
print('The reciprocal of', value, 'is', 1/value)
except ValueError:
print('I do not know what to do.')
except ZeroDivisionError:
print('Division by zero is not allowed in our Universe.')
Output
Enter a natural number: 0
Division by zero is not allowed in our Universe.
Additionally, the number of except branches is not limited – you can specify as many or as few
of them as you need, but don't forget that none of the exceptions can be specified more than
once.
The default exception and how to use it
Eg:
try:
value = int(input('Enter a natural number: '))
print('The reciprocal of', value, 'is', 1/value)
except ValueError:
print('I do not know what to do.')
except ZeroDivisionError:
print('Division by zero is not allowed in our Universe.')
except:
print('Something strange has happened here... Sorry!')
We've added a third except branch, but this time it has no exception name specified – we can say
it's anonymous or (what is closer to its actual role) it's the default. You can expect that when an
exception is raised and there is no except branch dedicated to this exception, it will be handled
by the default branch.
Note: The default except branch must be the last except branch. Always!
Let’s discuss in more detail some useful (or rather, the most common) exceptions you may
experience.
ZeroDivisionError
This appears when you try to force Python to perform any operation which provokes division in
which the divider is zero, or is indistinguishable from zero.
Note that there is more than one Python operator which may cause this exception to raise.
ValueError
Expect this exception when you're dealing with values which may be inappropriately used in
some context. In general, this exception is raised when a function (like int() or float()) receives
an argument of a proper type, but its value is unacceptable.
TypeError
This exception shows up when you try to apply a data whose type cannot be accepted in the
current context. Look at the example:
short_list = [1]
one_value = short_list[0.5]
You're not allowed to use a float value as a list index (the same rule applies to tuples,
too). TypeError is an adequate name to describe the problem, and an adequate exception to raise.
AttributeError
This exception arrives – among other occasions – when you try to activate a method which
doesn't exist in an item you're dealing with. For example:
short_list = [1]
short_list.append(2)
short_list.depend(3)
The third line of our example attempts to make use of a method which isn’t contained in the lists.
This is the place where AttributeError is raised.
Introduction to modules in Python
What is a module?
Computer code has a tendency to grow. We can say that code that doesn't grow is probably
completely unusable or abandoned. A real, wanted, and widely used code develops continuously,
as both users' demands and users' expectations develop in their own rhythms.
A code which is not able to respond to users' needs will be forgotten quickly, and instantly
replaced with a new, better, and more flexible code. Be prepared for this, and never think that
any of your programs is eventually completed. The completion is a transition state and usually
passes quickly, after the first bug report. Python itself is a good example how the rule acts.
Growing code is in fact a growing problem. A larger code always means tougher maintenance.
Searching for bugs is always easier where the code is smaller (just as finding a mechanical
breakage is simpler when the machinery is simpler and smaller).
Moreover, when the code being created is expected to be really big (you can use a total number
of source lines as a useful, but not very accurate, measure of a code's size) you may want (or
rather, you will be forced) to divide it into many parts, implemented in parallel by a few, a
dozen, several dozen, or even several hundred individual developers.
Of course, this cannot be done using one large source file, which is edited by all programmers at
the same time. This will surely lead to a spectacular disaster.
If you want such a software project to be completed successfully, you have to have the means
allowing you to:
For example, a certain project can be divided into two main parts:
the user interface (the part that communicates with the user using widgets and a graphical
screen)
the logic (the part processing data and producing results)
Each of these parts can be (most likely) divided into smaller ones, and so on. Such a process is
often called decomposition.
For example, if you were asked to arrange a wedding, you wouldn't do everything yourself - you
would find a number of professionals and split the task between them all.
How do you divide a piece of software into separate but cooperating parts? This is the
question. Modules are the answer.
How to make use of a module?
So what is a module? The Python Tutorial defines it as a file containing Python definitions and
statements, which can be later imported and used when necessary.
the first (probably the most common) happens when you want to use an already existing module,
written by someone else, or created by yourself during your work on some complex project - in
this case you are the module's user;
the second occurs when you want to create a brand new module, either for your own use, or to
make other programmers' lives easier - you are the module's supplier.
First of all, a module is identified by its name. If you want to use any module, you need to know
the name. A (rather large) number of modules is delivered together with Python itself. You can
think of them as a kind of "Python extra equipment".
All these modules, along with the built-in functions, form the Python standard library - a special
sort of library where modules play the roles of books (we can even say that folders play the roles
of shelves)
Each module consists of entities (like a book consists of chapters). These entities can be
functions, variables, constants, classes, and objects. If you know how to access a particular
module, you can make use of any of the entities it stores.
Let's start the discussion with one of the most frequently used modules, named math. Its name
speaks for itself - the module contains a rich collection of entities (not only functions) which
enable a programmer to effectively implement calculations demanding the use of mathematical
functions, like sin() or log().
Importing a module
To make a module usable, you must import it (think of it like of taking a book off the shelf).
Importing a module is done by an instruction named import. Note: import is also a keyword
(with all the consequences of this fact).
Let's assume that you want to use two entities provided by the math module:
a symbol (constant) representing a precise (as precise as possible using double floating-point
arithmetic) value of π (although using a Greek letter to name a variable is fully possible in
Python, the symbol is named pi - it's a more convenient solution, especially for that part of the
world which neither has nor is going to use a Greek keyboard)
a function named sin() (the computer equivalent of the mathematical sine function).
Both these entities are available through the math module, but the way in which you can use
them strongly depends on how the import has been done.
The simplest way to import a particular module is to use the import instruction as follows:
import math
The clause contains:
The instruction may be located anywhere in your code, but it must be placed before the first use
of any of the module's entities.
If you want to (or have to) import more than one module, you can do it by repeating
the import clause (preferred):
Namespace
A namespace is a space (understood in a non-physical context) in which some names exist and
the names don't conflict with each other (i.e., there are not two different objects of the same
name). We can say that each social group is a namespace - the group tends to name each of its
members in a unique way (e.g., parents won't give their children the same first names).
Inside a certain namespace, each name must remain unique. This may mean that some names
may disappear when any other entity of an already known name enters the namespace. We'll
show you how it works and how to control it, but first, let's return to imports.
If the module of a specified name exists and is accessible (a module is in fact a Python source
file), Python imports its contents, i.e., all the names defined in the module become known, but
they don't enter your code's namespace.
This means that you can have your own entities named sin or pi and they won't be affected by the
import in any way.
At this point, you may be wondering how to access the pi coming from the math module.
To do this, you have to qualify the pi with the name of its original module.
import math
print(math.sin(math.pi/2))
Output
1.0
In the second method, the import's syntax precisely points out which module's entity (or entities)
are acceptable in the code:
print(math.e)
Here it is:
Importing a module: *
In the third method, the import's syntax is a more aggressive form of the previously presented
one:
As you can see, the name of an entity (or the list of entities' names) is replaced with a single
asterisk (*).
Is it convenient? Yes, it is, as it relieves you of the duty of enumerating all the names you need.
Is it unsafe? Yes, it is - unless you know all the names provided by the module, you may not be
able to avoid name conflicts. Treat this as a temporary solution, and try not to use it in regular
code.
The as keyword
If you use the import module variant and you don't like a particular module's name (e.g., it's the
same as one of your already defined entities, so qualification becomes troublesome) you can give
it any name you like - this is called aliasing.
Aliasing causes the module to be identified under a different name than the original. This may
shorten the qualified names, too.
Creating an alias is done together with importing the module, and demands the following form of
the import instruction:
Aliasing
If you need to change the word math, you can introduce your own name, just like in the example:
import math as m
print(m.sin(m.pi/2))
Note: after successful execution of an aliased import, the original module name becomes
inaccessible and must not be used.
In turn, when you use the from module import name variant and you need to change the entity's
name, you make an alias for the entity. This will cause the name to be replaced by the alias you
choose.
The phrase name as alias can be repeated - use commas to separate the multiplied phrases, like
this:
There is one condition: the module has to have been previously imported as a whole (i.e., using
the import module instruction - from module is not enough).
The function returns an alphabetically sorted list containing all entities' names available in the
module identified by a name passed to the function as an argument:
dir(module)
Note: if the module's name has been aliased, you must use the alias, not the original name.
Using the function inside a regular script doesn't make much sense, but it is still possible.
For example, you can run the following code to print the names of all entities within the math
module:
import math
Output
__doc__∖t__loader__∖t__name__∖t__package__∖t__spec__∖tacos∖tacosh
∖tasin∖tasinh∖tatan∖tatan2∖tatanh∖tcbrt∖tceil∖tcomb∖tcopysign∖tcos
∖tcosh∖tdegrees∖tdist∖te∖terf∖terfc∖texp∖texp2∖texpm1∖tfabs∖tfacto
rial∖tfloor∖tfmod∖tfrexp∖tfsum∖tgamma∖tgcd∖thypot∖tinf∖tisclose∖ti
sfinite∖tisinf∖tisnan∖tisqrt∖tlcm∖tldexp∖tlgamma∖tlog∖tlog10∖tlog1
p∖tlog2∖tmodf∖tnan∖tnextafter∖tperm∖tpi∖tpow∖tprod∖tradians∖tremai
nder∖tsin∖tsinh∖tsqrt∖ttan∖ttanh∖ttau∖ttrunc∖tulp∖t.
Have you noticed these strange names beginning with __ at the top of the list? We'll tell you
more about them when we talk about the issues related to writing your own modules.
Some of the names might bring back memories from math lessons, and you probably won't have
any problems guessing their meanings.
Using the dir() function inside a code may not seem very useful - usually you want to know a
particular module's contents before you write and run the code.
Fortunately, you can execute the function directly in the Python console (IDLE), without needing
to write and run a separate script.
Let's start with a quick preview of some of the functions provided by the math module.
We've chosen them arbitrarily, but that doesn't mean that the functions we haven't mentioned
here are any less significant. Dive into the modules' depths yourself - we don't have the space or
the time to talk about everything in detail here.
The first group of the math's functions are connected with trigonometry:
All these functions take one argument (an angle measurement expressed in radians) and return
the appropriate result (be careful with tan() - not all arguments are accepted).
These functions take one argument (mind the domains) and return a measure of an angle in
radians.
To effectively operate on angle measurements, the math module provides you with the following
entities:
from math import pi, radians, degrees, sin, cos, tan, asin
ad = 90
ar = radians(ad)
ad = degrees(ar)
print(ad == 90.)
print(ar == pi / 2.)
print(sin(ar) / cos(ar) == tan(ar))
print(asin(sin(ar)) == ar)
Output
True
True
True
True
Apart from the circular functions (listed above) the math module also contains a set of
their hyperbolic analogues:
Another group of the math's functions is formed by functions which are connected
with exponentiation:
Look at the code in the editor. Can you predict its output?
Example:
print(pow(e, 1) == exp(log(e)))
print(pow(2, 2) == exp(2 * log(2)))
print(log(e, e) == exp(0))
Output
False
True
True
Example:
x = 1.4
y = 2.6
print(floor(x), floor(y))
print(floor(-x), floor(-y))
print(ceil(x), ceil(y))
print(ceil(-x), ceil(-y))
print(trunc(x), trunc(y))
print(trunc(-x), trunc(-y))
Output
1 2
-2 -3
2 3
-1 -2
1 2
-1 -2
The most general function named random() (not to be confused with the module's
name) produces a float number x coming from the range (0.0, 1.0) - in other words: (0.0 <= x
< 1.0).
The example program below will produce five pseudorandom values - as their values are
determined by the current (rather unpredictable) seed value, you can't guess them:
for i in range(5):
print(random())
If you want integer random values, one of the following functions would fit better:
randrange(end)
randrange(beg, end)
randrange(beg, end, step)
randint(left, right)
The first three invocations will generate an integer taken (pseudorandomly) from the range
(respectively):
range(end)
range(beg, end)
range(beg, end, step)
The last function is an equivalent of randrange(left, right+1) - it generates the integer value i,
which falls in the range [left, right] (no exclusion on the right side).
Look at the code in the editor. This sample program will consequently output a line consisting of
three zeros and either a zero or one at the fourth place.
Output
0 0 0 1
The previous functions have one important disadvantage - they may produce repeating values
even if the number of subsequent invocations is not greater than the width of the specified range.
Look at the code below - the program very likely outputs a set of numbers in which some
elements are not unique:
for i in range(10):
print(randint(1, 10), end=',')
Output
9,5,8,9,3,8,10,2,4,2,
The choice and sample functions
As you can see, this is not a good tool for generating numbers in a lottery. Fortunately, there is a
better solution than writing your own code to check the uniqueness of the "drawn" numbers.
choice(sequence)
sample(sequence, elements_to_choose)
The first variant chooses a "random" element from the input sequence and returns it.
The second one builds a list (a sample) consisting of the elements_to_choose element "drawn"
from the input sequence.
In other words, the function chooses some of the input elements, returning a list with the choice.
The elements in the sample are placed in random order. Note: the elements_to_choose must not
be greater than the length of the input sequence.
print(choice(my_list))
print(sample(my_list, 5))
print(sample(my_list, 10))
Output
7
[3, 8, 9, 10, 4]
[7, 5, 10, 6, 2, 9, 3, 8, 4, 1]
The platform module lets you access the underlying platform's data, i.e., hardware, operating
system, and interpreter version information.
There is a function that can show you all the underlying layers in one glance, named platform,
too. It just returns a string describing the environment; thus, its output is rather addressed to
humans than to automated processing (you'll see it soon).
And now:
aliased → when set to True (or any non-zero value) it may cause the function to present
the alternative underlying layer names instead of the common ones;
terse → when set to True (or any non-zero value) it may convince the function to present
a briefer form of the result (if possible)
print(platform())
print(platform(1))
print(platform(0, 1))
Output
Windows-10-10.0.19045-SP0
Windows-10-10.0.19045-SP0
Windows-10
Sometimes, you may just want to know the generic name of the processor which runs your OS
together with Python and your code - a function named machine() will tell you that. As
previously, the function returns a string.
print(machine())
The processor() function returns a string filled with the real processor name (if possible).
print(processor())
print(system())
print(version())
What is a package?
Python modules may contain several classes, functions, variables, etc. whereas Python
packages contain several modules. In simpler terms, Package in Python is a folder that contains
various modules as files.
Creating Package
Let’s create a package in Python named mypckg that will contain two modules mod1 and
mod2. To create this module follow the below steps:
Create a folder named mypckg.
Inside this folder create an empty Python file i.e. __init__.py
Then create two modules mod1 and mod2 in this folder.
Mod1.py
def gfg():
print("Welcome to GFG")
Mod2.py
def sum(a, b):
return a+b
Understanding __init__.py
__init__.py helps the Python interpreter recognize the folder as a package. It also specifies the
resources to be imported from the modules. If the __init__.py is empty this means that all the
functions of the modules will be imported. We can also specify the functions from each
module to be made available.
For example, we can also create the __init__.py file for the above module as:
__init__.py
We can import these Python modules using the from…import statement and the dot(.)
operator.
Syntax:
import package_name.module_name
Example 1:
We will import the modules from the above-created package and will use the functions inside
those modules.
packageDemo.py
mod1.gfg()
res = mod2.sum(1, 2)
print(res)
Output
Welcome to GFG
3
We can also import the specific function also using the same syntax.
from mypckg.mod1 import gfg
from mypckg.mod2 import sum
gfg()
res = sum(1, 2)
print(res)
Output
Welcome to GFG
3