CSC1201 Python Programming
CSC1201 Python Programming
The Python language was developed by Guido van Rossum in the early 1990s in
Amsterdam. Python grew out of a project to design a computer language that would
1
be easy for beginners to learn and yet powerful enough for advanced programs.
Although pictures of serpents often appear on Python books and websites, the name
was actually derived from Guido van Rossum’s favourite TV show, “Monty Python’s
Flying Circus”.
Over the years, Python has gained a lot of popularity. The main reasons given for
Python’s increased popularity are:
Python is an interpreted language, which can save significant time during program
development. This is because interpreted languages do not require compilation and
linking. The Python interpreter is also interactive, making it easy to test functions or
part of programs during development. Programs written in Python are generally
shorter than equivalent C, or Java programs. This is because of the high-level data
types in Python allow complex operations to be expressed in a single statement.
Moreover, grouping in Python is done by indentation instead of beginning and ending
curly brackets in C and Java or other group ending statements like END IF used to end
an IF block in the BASIC programming language.
Figure 1.1 shows Google search trends over a five-year period from 2013 to 2017. It is
obvious that Python has been gaining popularity whereas Java, C++ and C# have been
declining in popularity.
2
Figure 1.1: Trends in Google searches
3
>>>
Note: The Python interpreter might not be found if it is not in the Windows
path.
The first line shows the current Windows path while the second line shows the Python
version (3.7.0) installed on the machine. The three greater-than signs (>>>) at the
Python prompt indicate where Python commands can be entered. Once an executable
statement is entered, Python executes it immediately and shows the result on the
screen in what is known as the interactive mode. For example, the print() statement
can be used to display text enclosed in inverted commas.
>>> print ("Bayero University.")
Bayero University.
>>>
The print() keyword can also be used to show the result of arithmetic operations. In
this case, however, the arguments are not enclosed in inverted commas. For instance,
the following Python command computes the value of Pi as 22/7.
>>> print (22/7)
3.142857142857143
The interactive mode of Python in Windows can be exited by typing exit() or pressing
CTRL + Z.
>>> exit()
C:\Users\Adam>
4
u = 5 #initial score
a = 10 #acceleration
t = 2 #time in seconds
v = u + a*t
print("The final velocity is")
print (v)
The # symbol indicates comments which are not executed by Python. The Thonny IDE
displays the result in the output window i.e.
The final velocity is
25
The numpy module is imported with the alias np in the first line of the code.
5
which are actions that can be performed on the object. One key benefit of OOP is
encapsulation i.e. the ability to define an object that contains data and all the
information a program needs to operate on that data. This allows a program to be
divided into pieces so that each piece internally operates independently of the others.
The pieces interact with each other, but they do not need to know exactly how each
one accomplishes its tasks. In OOP, a template for an object known as a class is used
to contain the code for all the object’s methods. Classes in OOP can be quickly built off
other classes in a concept known as inheritance.
i. Integers: These are whole numbers i.e. positive and negative numbers without
decimal points.
ii. Floating point numbers: These are referred to as ‘floats’ and are any valid
numbers containing decimal points. For example -1.234, 3.142 and 9.876 are
valid floats. An ‘e’ could also be used to indicate powers of 10 when
representing large scientific numbers. For example, 16 trillion could be
represented as 16e12.
iii. Complex Numbers: Python also supports complex numbers i.e. numbers that
have a real part and an imaginary part. A ‘j’ suffix is used to denote the
imaginary part of a complex number in Python. For example, the complex
number 3 + 4𝑖 is represented in Python as 3 + 4j.
6
value and thus cannot be used to perform mathematical operations even though they
may contain numbers.
1.8 Variables
A variable is a name representing a string or numeric quantity and refers to a location
in memory set aside to store the quantity. Thus, some amount of memory (the length
of which depends on the type of variable), is assigned to each variable which is
referenced by the variable name. As the name implies, the content stored in a variable
is allowed to vary or change. Variables in Python can either have a local (default) or
global scope. Local variables are visible (retain their values) only within the function in
which they are defined. Global variables on the other hand, have a global scope and
are visible throughout a Python script. This concept will be further discussed when
treating user defined functions. The following rules should be observed when naming
variables in Python:
There are two stages to create a variable in Python. First, a container with an
identifying label is created in what is called initialization. The second stage involves
putting a value into the container known as assignment. Both the initialization and
assignment stages are performed with a single command in Python, using the ‘= ‘sign.
For example, the following lines of code create an integer, floating point and string
type variables in Python.
age = 18
pi = 3.142
name = “Bayero”
In addition, variables in Python could also be Boolean or contain structured data like
lists, tuples or dictionaries which shall be discussed later.
7
2. Programming in Python
As earlier mentioned, programming in Python can be done in the interactive mode or
written as a block of statements using a text editor. The statements in a Python
program will execute in the order they appear except a deliberate branch statement
is encountered.
a = 4 #fist number
b = 5 #second number
c = a*b #calculate the product and store in c
print(c) #display the result
8
2.3 Assigning Variables from User Input
In many programming situations, it is often necessary to get input data from the user.
This can be achieved in Python using the input() built-in function and then assigning
the data entered from the keyboard to a variable. The input()function treats the data
as a string so any variable used will be assigned as a string type variable. After typing
the input on the keyboard, the Enter key has to be pressed before the function reads
the input from the user. The syntax for the input() function is given below.
var = input(prompt)
Where var is a valid variable name used to store the input and prompt represents a
string to be displayed prompting the user on the value expected. The following
example prompts the user to enter his/her name and stores the result in the variable
name.
>>> name = input('Enter your name: ')
Enter your name: Bayero
>>> print(name)
Bayero
For mathematical operations to be performed on data read with the input()
function, it is necessary to convert the data from a string to numeric. This will be
discussed later.
The values stored within the variables can be returned using the print() command as
illustrated earlier.
9
my_uni = "Bayero University"
my_faculty = "Faculy of Engineering"
print(my_faculty + my_uni)
The output can be refined using with appropriate spacing and punctuation using the
statement;
print (my_faculty +", " + my_uni + ".")
So that the output now becomes;
Faculy of Engineering, Bayero University.
There are spaces between each repetition of the output string because a space is
included as the last character in the string variable.
10
There are, however, a number of methods provided in the Python core language for
strings. For example the methods str.upper() and str.lower() will return a string
with all the letters in the original string converted to upper and lower case
respectively.
>>> print(my_uni.upper())
BAYERO UNIVERSITY
>>> print(my_uni.lower())
bayero university
There are also several Boolean methods for strings. For instance, the methods
str.isalnum(), str.isalpha() and str.isnumeric() are respectively True if a string
consists of only alphanumeric (no symbols), alphabetic (no symbols) and numeric
characters.
>>> crs_code = 'CSC1201'
>>> print(crs_code.isalnum())
True
>>> print(crs_code.isalpha())
False
>>> print(crs_code.isnumeric())
False
11
2.5.1 Mathematical Operators
The core mathematical operators in Python are listed in Table 2.2
Examples
>>> a = 5
>>> b = 4
>>> print(a + b)
9
>>> print(a * b)
20
>>> print(a**b)
625
>>> print(a / b)
1.25
>>> print(a // )
1
>>> print(a % b)
1
12
Examples:
Mathematical Python
Operator Example
Notation symbol
Equal to 𝑎=𝑏 == a==b
Less than 𝑎 < 𝑏 < a < b
Less than or equal to 𝑎≤𝑏 <= a <= b
Greater than 𝑎 > 𝑏 > a > b
Greater than or equal to 𝑎≥𝑏 >= a >= b
Not equal to 𝑎 ≠ 𝑏 != a != b
Examples
13
True
>>> print(a==b)
False
>>> print(a != b)
True
2. The relational operators can also be used to compare the alphabetical order of
string data.
>>> print ('A' < 'B')
True
>>> print('A' == 'a')
False
Other Python core mathematical functions include round() which rounds an argument
to the nearest integer, int() which extracts the integer part of numeric data or
converts integer numbers in a string to numeric data. Another built-in Python
mathematical function is divmod(). This function takes two arguments (a dividend
and a divisor) and returns the quotient and remainder after division.
>>> a = 19
>>> b = 5
>>> c = divmod(a,b)
>>> print(c)
(3, 4)
14
Table 2.4 Python math module functions
Note:
The math module is assumed to be imported without any alias.
For all trigonometric functions, 𝑥 is expressed in radians.
For the result to be displayed, the print() statement should precede the
function in the example column.
The math module functions do not operate with complex numbers. For complex
number functions, the cmath module needs to be imported.
15
to integers or floats before carrying out the mathematical operation. The following
Python script demonstrates this by calculating the square of a number read from the
user with the input() function.
N = input("Enter a number: ") #get the number from the user
n = int(N) #convert the string to an integer
n_sq = n * n #calculate the square
sqr = str(n_sq) #convert the result to a string
msg = "The square is " + sqr + "." #output message including the result
print(msg) #display the result
Enter a number: 19
The square is 361.
Notes:
The int() function converts string or floating point numbers to integers.
The str() function is used to convert from numerical data to strings. This is
usually done when a string operation like concatenation is to be performed on
numerical data.
Since variables in Python are case sensitive, N and n are two different variables.
N in the above example is a string while n is a numeric (integer) variable.
The type() function is used in Python to return the type (class) of data assigned
to a variable. In the case of the previous example, the following results are
obtained with the type() function.
>>> type(N)
<class 'str'>
>>> type(n)
<class 'int'>
>>>
3.1 Lists
Lists provide a general tool for storing a collection of objects indexed by a number in
Python. Simply put, a List is any list of data items, separated by commas, inside square
brackets. The items may be numbers, strings or even other lists. Lists are mutable,
meaning items contained in a list can be changed.
16
3.1.1 Creating Lists
A list can be assigned using square brackets and commas as demonstrated below.
>>> courses = ['CSC1201', 'MTH1301', 'CHM1251','PHY1210', 'GSP1201']
>>> scores = [70, 38, 62, 55, 80]
The courses and scores lists above each contain five elements indexed from 0 – 4. Note
that the elements of the courses lists are enclosed in inverted commas. The print()
statement can be used to display elements in the list.
>>> print(courses)
['CSC1201', 'MTH1301', 'CHM1251', 'PHY1210', 'GSP1201']
>>> print(courses[0])
CSC1201
>>> print(scores[4])
80
Python returns an ‘out of range’ error if an attempt is made to access an item not in a
list. For example;
>>> print(scores[5])
Traceback (most recent call last):
File "<pyshell>", line 1, in <module>
IndexError: list index out of range
There are a number of similarities when working with lists and strings in Python. For
instance, the len() function can be used to return the number of elements in a list.
>>> len(courses)
5
The methods for concatenating, indexing and slicing of strings also apply to lists.
>>> new_list = courses + scores
>>> print (new_list)
['CSC1201', 'MTH1301', 'CHM1251', 'PHY1210', 'GSP1201', 70, 38, 62, 55, 80]
>>> len(new_list)
10
>>> print(new_list[5:10])
[70, 38, 62, 55, 80]
17
3.1.3 The in Operator
The in operator provides a simple way of checking if an item is contained in a list. The
operator returns a Boolean result which is True if an item is contained in the list and
False otherwise.
>>> courses = ['CSC1201', 'MTH1301', 'CHM1251','PHY1210', 'GSP1201']
>>> 'CSC1201' in courses
True
>>> 'MTH' in courses
False
Besides the len() function, there are several in-built Python list functions. A few are
listed below.
sum() - returns the sum of the items in the list
min() - returns the minimum of the items in the list
max() - returns the maximum of the items in the list
The example below calculates the mean of a numerical list using the sum() and len()
functions.
>>> scores = [70, 38, 62, 55, 80]
>>> mean = sum(scores)/len(scores)
>>> print(mean)
61.0
Many list operations are performed using methods instead of functions. Since lists are
mutable objects, many methods operating on lists will result in a change to the list.
The following are some common methods for lists.
list.append(x) - adds x to the end of the list
list.sort() - sorts the list
list.count(x) - returns the number of times x occurs in the list
list.index(x) - returns the location of the first occurrence of x in the list
list.remove(x) - removes first occurrence of x from the list in the list
Example
>>> courses.append('STA1311')
>>> print(courses)
['CSC1201', 'MTH1301', 'CHM1251', 'PHY1210', 'GSP1201', 'STA1311']
The value returned from a list method should not be assigned to any object as this will
not work in Python.
18
>>> courses = ['CSC1201', 'MTH1301', 'CHM1251','PHY1210', 'GSP1201']
>>> courses.index('CSC1201')
0
>>> sorted_list = courses.sort()
>>> print(sorted_list)
None
>>> print(courses)
['CHM1251', 'CSC1201', 'GSP1201', 'MTH1301', 'PHY1210']
>>> courses.index('CSC1201')
1
3.2 Tuples
Tuples are quite similar with lists, except for one important difference. While lists are
mutable i.e. their contents can be modified, the contents of tuples cannot be changed.
Thus once a tuple is created its elements remain constant. This allows Python to
handle tuples more efficiently than lists.
Tuples are created in a similar manner with lists, only that in this case, parenthesis
(which are optional) are used instead of square brackets in the case of lists. Since
tuples are immutable, they do not support the list methods that result in a change in
the list like sort() for example. They however support functions and methods that do
not result in changes like len(), count() and index.
>>> ages = (19, 15, 16, 17, 17, 16, 19, 18, 16, 20)
>>>print(len(ages))
10
>>> ages.sort()
Traceback (most recent call last):
File "<pyshell>", line 1, in <module>
AttributeError: 'tuple' object has no attribute 'sort'
>>>print(ages.count(19))
2
The tuple() keyword can be used to convert an object into a tuple. The following
example illustrates this by converting the courses list into a tuple. Notice that the
result, which is now a tuple, is enclosed in parenthesis instead of square brackets.
19
3.3 Dictionaries
Dictionaries, also referred to as associative arrays, are similar to lists in that they can
contain mutable objects. However, instead of being indexed with integers, they are
indexed with immutable objects referred to as keys. Dictionaries are created by
specifying keys and their corresponding values separated by colons and enclosed
within curly braces ({}). An example of a dictionary could be a student’s courses and
their associated exam scores.
>>>result = {'CSC1201':70, 'MTH1301':35, 'CHM1251':50, 'PHY1210':66,
'GSP1201':84}
>>> print(result)
{'CSC1201': 70, 'MTH1301': 35, 'CHM1251': 50, 'PHY1210': 66, 'GSP1201': 84}
>>> print(result['CSC1201'])
70
The len() function returns the number of elements i.e. the number of key/value pairs
in a dictionary.
>>> len(result)
5
An individual item can be removed from a dictionary using the del command.
>>> result = {'CSC1201':70, 'MTH1301':35, 'CHM1251':50, 'PHY1210':66,
'GSP1201':84}
>>> del result['GSP1201']
>>> print (result)
{'CSC1201': 70, 'MTH1301': 35, 'CHM1251': 50, 'PHY1210': 66}
There a several other functions and methods with dictionaries in Python but that is
beyond the scope of this course.
4. Conditional Statements
Conditional execution is performed in Python using the if statement along with
optional elif (else if) and else statements which together form an if block. Idents are
used in Python to indicate the start and end of if blocks. This is quite different from
other languages like BASIC (which uses End statements) and C or Java which use curly
brackets to indicate the end of program blocks. The syntax for the if block in Python is
given below.
20
if expression :
statement(s)
elif expression:
statement(s)
elif expression:
statement(s)
...
else:
statements
There is actually an error (bug) in the above code as a score of 40 will not be considered
a pass since the associated condition will be False. A correct way to state the condition
is given below.
21
The program above is modified with an else statement to indicate if a student has
failed.
1 scores = [70, 40, 35, 55, 60]
2 scr = scores[2]
3 if (scr >= 40):
4 print(scr)
5 print("Passed")
6 else:
7 print(scr)
8 print("Failed")
A number of elif conditions can be used to modify the program so that the course
grade is displayed instead of a simple binary result of either a pass or fail.
scores = [70, 40, 35, 55, 60]
scr = scores[3]
print(scr)
if (scr >= 70):
print("A")
elif (scr >= 60):
print("B")
elif (scr >= 50):
print("C")
elif (scr >= 45):
print("D")
elif (scr >= 40):
print("D")
else:
print("F")
5. Program Looping
One of the most powerful and useful things about computers is that they can carry out
repetitive tasks quickly and correctly. This is achieved in programming by running a
22
block of code repetitively in what is known as program looping. The two main methods
of looping in Python make use of for and while loops.
The following example iterates through a string and prints the value of each character
by using c as the looping variable.
name ='Bayero'
for c in name:
print(c)
B
a
y
e
r
o
for i in range(5):
23
print(i, i*i)
>>>
0 0
1 1
2 4
3 9
4 16
When two arguments 𝑛 and 𝑚 are used, a sequence between 𝑛 and 𝑚 − 1 is returned
with 𝑛 and 𝑚 being the upper and lower limits of the sequence respectively. The
following Python script computes the squares and cubes of integers from 5 – 10.
Notice that the upper limit is set at 11.
for i in range(5, 11):
print(i, i**2, i**3)
5 25 125
6 36 216
7 49 343
8 64 512
9 81 729
10 100 1000
>>>
In the case of three arguments with the range function, the third argument indicates
the step increments instead of the default value of 1. The following example lists odd
numbers from 0 to 9 by using a step value of 2.
for i in range(1, 10,2):
print(i)
1
3
5
7
9
>>>
while condition:
statements
24
The following script uses a while loop and random number module to simulate rolling
a single die with the objective of getting a six (6).
import random #import the random generator module
count = 0
d = 1
while (d != 6):
d = random.randint(1,6) #generate random integer from 1-6
count = count + 1 #count the number of rolls
print(count, d)
print() #print an empty line
print (count, 'roll(s) where required.')
Notes:
The random number generator is first imported using the import random
statement.
The program loops around the statements indented in the while loop so long
as the variable d, representing the value gotten from the die is NOT equal to six.
The count variable is incremented by one during every loop so it stores the
number of rolls.
Once a six is gotten, the while loop is exited and the total number of rolls
(stored in the count variable) is printed.
At times, it is necessary to implement an infinite loop. This might arise in the case of
physical programming where a computer (or microcontroller) is used to control a
device like a moving message display, for example. When controlling such hardware,
the program needs to run continuously to repeat the message on the display. This
requires an infinite loop which, can be achieved with a while True or while 1
statement in Python. The following Python script will continue to print integer values
until the ctrl+c keys (break) are pressed.
x = 0
while True:
x = x + 1
print(x)
def welcome():
print('WELCOME!')
welcome()
>>> %Run def_example.py
WELCOME!
def square(n):
n = n * n
print(n)
N = input("Enter a number: ")
n = int(N)
square(n)
print(n)
Enter a number: 12
144
12
Notes:
The parameter n is passed to the square() function after first converting it to
an integer since the input() function assigns variables as strings.
Variables defined within functions are local in scope i.e. their values are defined
only within the function.
This is why the last statement (print(n)) results in 12 which is the value of n
outside the function.
26
Variables can be made to retain their values outside a function by defining them
as global variables using the global keyword.
7. Exception Handling
An exception in programming refers to an error that occurs not as a result of
programming fault but rather, as a result of other factors that can prevent the program
from running properly. For example, in a program that assigns the values of two
variables say a and b from the user and computes a / b, an exception will occur when
the value of the denominator (b) is 0 since the result is undefined. In addition, an
exception will also occur if the user enters alphabets instead of numbers. These
exceptions will cause the program to stop and display an error message. The following
Python script (saved as exeption_example.py) illustrates this point.
A = input('Enter a: ')
B = input('Enter b: ')
a = int(A)
c = (a/b)
27
print(c)
Enter a: 5
Enter b: 0
Traceback (most recent call last):
File
"C:\Bayero_university\Mechatronics_Dept\CSC1201\CSC1201_2021\exception_e
xample.py", line 5, in <module>
c = (a/b)
ZeroDivisionError: division by zero
Python halts the program, displays the name of the file, the line in which the error
occurred and the type of exception i.e. a division by zero in this case. Exception
handling allows the error to be trapped and prevents the program from halting
thereby allowing it to recover from the error. In Python, the try/except keywords are
used to handle exceptions using the syntax:
try:
code to try out
except Exception:
code to execute in the case of an exception
The division by zero error in the previous example can be handled by the following
modification of the Python script.
A = input('Enter a: ')
B = input('Enter b: ')
a = int(A)
b = int(B)
try:
c = (a/b)
print(c)
except Exception:
print('Sorry division cannot be done on the values entered.')
Example 1:
28
A
c
b
C a B
i. Given that the sum of angles in a triangle is 180o, write a Python program to
calculate the size of angle C.
ii. Using the result of (i) above, modify the program to calculate the length of
side b by applying the sine rule.
iii. Display the result of (ii) correct to two decimal places.
Solution
import math as m
AA = 105 #angle A
AB = 35 #angle C
SA = 17 #side a
AC = 180 - (AA + AB) #calculate angle C
print('Angle C =', AC) #display angle C
#calculate side B using sine rule
SB = SA * m.sin((AB * m.pi / 180)) / m.sin(AA *m.pi /180)
SB = round(SB,2) #round to 2 decimal places
print('Side B = ', SB) #display the result
Notes:
The math module is imported (with the alias m) to perform trigonometric
functions.
The trigonometric functions in the math module operate in radians, hence
angles expressed in degrees have first to be converted to radians.
The round() function rounds the result to 2 decimal places
29
Example 2:
Solution
Python Code:
A = input('Enter a: ')
B = input('Enter b: ')
C = input('Enter c: ')
a = int(A)
b = int(B)
c = int(C)
D = b**2 - 4*a*c #calculate the discriminant
if (D > 0): #check for real or complex roots.
print('The roots are real.')
else:
print('The roots are complex.')
x1 = (-b + D**0.5) / 2*a #calculate x1
x2 = (-b - D**0.5) / 2*a # and x2
print('x1 = ', x1, ',','x2 = ',x2)
Example 3:
Write a program to check if a number entered by the user is a prime number. The
program should display the number entered and state whether it is prime or not.
30
Solution
The program will use an algorithm based on the method of trial division to verify if a
given number N is prime or not. It consists of testing whether N is a multiple of any
integer between 2 and √𝑁.
Pseudocode
Python Code:
import math as m
N = input('Enter an integer number: ')
n = int(N)
prime = True #assume number is prime
root_n = int(m.sqrt(n)) #calculate integer root of n
for p in range(2, root_n): #check for a factor
print(p, n/p, int(n/p)) # between n and root n.
if (n/p == int(n/p)): #n is not prime if a
prime = False # factor exists.
break #exit the loop if a factor is
found.
if (n < 2): prime = False #exclude 0 and 1
print() #print empty line
if (prime == True): #check and
print(n, 'is a prime number!') # display the
else: # appropriate
print(n, 'is NOT a prime number.') # result.
Notes:
The program first assumes all numbers are prime except proven otherwise by
assigning a Boolean variable prime to True.
The int() function returns (extracts) the integer part of a number.
The current count of the for loop is stored in the variable p.
31
The if block within the for loop compares the result of n/p (a float) with its
integer part i.e. int(n/p). These will be equal if and only if p is a factor of n,
meaning that n is NOT prime.
The break statement exits the loop once a factor of n is found.
The second if statement (written in a single line) excludes the numbers 0 and
1 which by definition are not prime numbers.
Example 4
Write a Python program with user defined functions to compute the mean, variance
and standard deviation of the scores of ten (10) students in an examination.
Solution
The program will use a list array variable Score having an index of 0 to 9 to store the
students’ scores. The mean U will be calculated by dividing the sum of the scores by
the number of elements while the variance and S.D. will be computed respectfully as;
∑(𝑆 − 𝑈)2
𝑉𝑎𝑟 = and 𝑆𝐷 = √𝑉𝑎𝑟
𝑛
Pseudocode
Python script
import math as m
def calc_mean(scores):
n = len(scores)
s = sum(scores)
mean = s/n
return mean
def calc_var(scores, mean):
n = len(scores)
deviations = [(x - mean) ** 2 for x in scores] # Square deviations
variance = sum(deviations) / n # Variance
return variance
32
scores = [90, 35, 55, 50, 60, 48, 65, 70, 38, 63]
mean = calc_mean(scores)
print('Mean:', mean)
variance = calc_var(scores, mean)
print('Variance:', variance)
sd = round(m.sqrt(variance),2)
print('Standard deviation:', sd)
Notes:
The calc_mean function calculates the mean of the scores passed to it by the
scores list parameter.
The calc_var function uses two parameters i.e. the scores parameter and the
mean returned from the calc_mean function
The standard deviation is calculated outside the function simply as the square
root of the variance.
33