01 Introduction To Python Programming
01 Introduction To Python Programming
1. Introduction to Python
Programming
• Python can be used for a wide range of applications, including web development,
scientific computing, data analysis, artificial intelligence, and more. It is also a
popular language for scripting and automation, due in part to its simplicity and ease
of use.
• It is known for its simplicity, readability, and ease of use, which make it an ideal
language for beginners and experts alike.
• Python has a large and active community, which means that there are many libraries,
frameworks, and tools available to extend its functionality.
Key features of Python
• Easy to learn: Python has a simple and easy-to-understand syntax that makes it
easy to learn and use.
• Interpreted: Python is an interpreted language, which means that you can run your
code directly without needing to compile it first.
• Object-Oriented: Python supports object-oriented programming (OOP), which allows
you to create classes and objects that encapsulate data and behavior.
• Cross-platform: Python runs on many operating systems, including Windows, macOS,
and Linux, which makes it a versatile language.
• Large standard library: Python comes with a large standard library that provides
many useful functions and modules for tasks such as file I/O, networking, and web
development.
More aspects of Python programming:
• Rapid development: Python's simplicity and ease of use make it an ideal
language for rapid development, which can save time and money in the
software development process.
• Web frameworks: Python has several popular web frameworks, such as
Django, Flask, and Pyramid, which make it easy to develop web applications.
• Database connectivity: Python can connect to a wide range of databases,
including MySQL, PostgreSQL, and MongoDB, which makes it a popular
language for database-driven applications.
• GUI development: Python can be used to develop graphical user interfaces
(GUIs) using popular toolkits such as Tkinter, PyQt, and wxPython.
More aspects of Python programming:
• Packaging and distribution: Python makes it easy to package and distribute
your code as libraries, modules, or standalone applications.
• Standardization: Python has a standardized coding style and coding
conventions, which makes it easy for developers to read and understand each
other's code.
• Documentation: Python has a built-in documentation system called Docstrings,
which makes it easy to document your code and generate documentation for
others to use.
• Community-driven development: Python is developed by a community of
volunteers who work together to maintain and improve the language, which
ensures that it continues to evolve and improve over time.
Follow the following steps to run Python on your
computer.
for i in range(1,11):
print(i)
if i == 5:
print(“hello”)
break
if True:
print('Hello’)
a = 5
if True: print('Hello'); a = 5
Python Indentation
In Python, indentation is used to denote blocks of code. Python does
not use braces or semicolons to delimit blocks. Instead, Python relies on
the use of whitespace (spaces or tabs) to indicate the start and end of
blocks of code.
class Triangle(Polygon):
def __init__(self):
Polygon.__init__(self,3)
def findArea(self):
a, b, c = self.sides
# calculate the semi-perimeter
s = (a + b + c) / 2
area = (s*(s-a)*(s-b)*(s-c)) ** 0.5
print('The area of the triangle is %0.2f' %area)
Docstrings in Python
Python docstrings (documentation strings) are the string literals that
appear right after the definition of a function, method, class, or
module.
For example:
def double(num):
"""Function to double the value"""
return 2*num
The docstrings are associated with the object as their __doc__
attribute.
So, we can access it:
print(double.__doc__)
Output
Function to double the value
Constants
PI = 3.14
GRAVITY = 9.8
import constant
print(constant.PI)
print(constant.GRAVITY)
Data types in Python
- Python Numbers: int, float and complex
a = 5
print(a, "is of type", type(a))
Output: 5 is of type <class 'int'>
a = 2.0
print(a, "is of type", type(a))
Output: 2.0 is of type <class 'float'>
Python List
List is an ordered sequence of items.
# empty list
my_list = []
# list of integers
my_list = [1, 2, 3]
# nested list
my_list = ["mouse", [8, 4, 6], ['a’]]
Python List
List Indexing
# List indexing
my_list = ['p', 'r', 'o', 'b', 'e’]
print(my_list[0])
print(my_list[2:4])# elements 3rd to 5th
print(my_list[:-2])# elements beginning to 2nd last
print(my_list[-1]) # print the last item
print(my_list[-2]) # print the second last item
Python List
How to change or add elements to a list?
# Correcting mistake values in a list
odd = [2, 4, 6, 8]
print(odd)
print(odd)
Python List
How to change or add elements to a list?
# Appending and Extending lists in Python
odd = [1, 3, 5]
odd.append(7)
We can also use + operator to combine two lists. This is also called concatenation.
odd.insert(1,3)
del my_list[2]
del my_list[1:5] # delete multiple items
del my_list # delete entire list
Python List
Python List Methods
List comprehension is an elegant and concise way to create a new list from an
existing list in Python.
Here is an example to make a list with each item being increasing power of 2.
Output
print(len(my_list))
# Output: True
print('p' in my_list)
# Output: False
print('a' in my_list)
t = (5,'program', 1+3j)
Having one element within parentheses is not enough. We will need a trailing comma:
my_tuple = ("hello")
print(type(my_tuple)) # <class 'str'>
Tuple Methods
print(my_tuple.count('p')) # Output: 2
print(my_tuple.index('l')) # Output: 3
s = "This is a string"
s = '''A multiline
string'''
s = 'Hello world!'
str = 'programing'
#first character
print('str[0] = ', str[0])
#last character
print('str[-1] = ', str[-1])
my_string = 'programiz'
my_string[5] = 'a'
del my_string[1]
del my_string
# using +
print('str1 + str2 = ', str1 + str2)
# using *
print('str1 * 3 =', str1 * 3)
Python Strings
Iterating through a string
count = 0
for letter in 'Hello World':
if(letter == 'l'):
count += 1
print(count,'letters found')
String Reverse
x = "abc"
x[::-1]
Output:
‘cba’
Python Strings
Built-in functions to Work with Python
Various built-in functions that work with sequence (list) work with strings as well.
str = 'cold'
# enumerate()
list_enumerate = list(enumerate(str))
print('list(enumerate(str)) = ', list_enumerate)
#character count
print('len(str) = ', len(str))
Output:
list(enumerate(str) = [(0, 'c'), (1, 'o'), (2, 'l'), (3, 'd')]
len(str) = 4
Python Strings
Python String Formatting
Escape Sequence
If we want to print a text like He said, "What's there?"
\f ASCII Formfeed
\n ASCII Linefeed
print("C:\\Python32\\Lib")
C:\Python32\Lib
Examples:
# formatting integers
print("Binary representation of {0} is {0:b}".format(12))
'Binary representation of 12 is 1100'
# formatting floats
print("Exponent representation: {0:e}".format(1566.345))
'Exponent representation: 1.566345e+03'
# round off
print("One third is: {0:.3f}".format(1/3))
'One third is: 0.333'
# string alignment
print("|{:<10}|{:^10}|{:>10}|".format('Apple','Orange','Mango'))
'|Apple | Orange | Mango|'
Python Strings
Common Python String Methods
str1= "PyTHon"
print(str1.lower())
print(str1.upper())
a = {5,2,3,1,4}
print("a = ", a)
Output: a = {1, 2, 3, 4, 5}
a = {1,2,2,3,3,3}
print(a)
Output: {1, 2, 3}
Python Sets
A set is created by placing all the items (elements) inside curly braces {}, separated by comma, or by
using the built-in set() function.
my_set = {1, 2, 3}
print(my_set)
Output:
{1, 2, 3}
{1.0, (1, 2, 3), 'Hello’}
{1, 2, 3}
Python Sets
Creating an empty set is a bit tricky.
# initialize a with {}
a = {}
my_set = {1, 3}
my_set.add(2)
print(my_set)
my_set.update([2, 3, 4])
print(my_set)
Python Sets
Removing elements from a set
my_set = {1, 3, 4, 5, 6}
my_set.discard(4)
my_set.remove(6)
my_set.discard(2)
print(my_set)
discard() function leaves a set unchanged if the element is not present in the set
remove() function will raise an error if element is not present in the set
Python Sets
pop() and clear()
my_set = set("HelloWorld")
print(my_set) {'H', 'e', 'd', 'r', 'W', 'l', 'o'}
# pop an element
# Output: random element
print(my_set.pop())
H
# pop another element
my_set.pop()
print(my_set) {'d', 'r', 'W', 'l', 'o'}
# clear my_set
# Output: set()
my_set.clear()
set()
print(my_set)
Python Sets
Python Set Operations
Set Union
Union of A and B is a set of all elements from both sets.
# use | operator
# Output: {1, 2, 3, 4, 5, 6, 7, 8}
print(A | B)
A.union(B)
B.union(A)
Python Sets
Python Set Operations
Set Intersection
Intersection of A and B is a set of elements that are common in both the sets.
Intersection is performed using & operator. Same can be accomplished using the
intersection() method.
A = {1, 2, 3, 4, 5}
B = {4, 5, 6, 7, 8}
print(A & B)
print(A.intersection(B))
print(B.intersection(A))
Python Sets
Python Set Operations
Set Difference
Difference of the set B from set A (A - B) is a set of elements that
are only in A but not in B. Similarly, B - A is a set of elements in B
but not in A.
A = {1, 2, 3, 4, 5}
B = {4, 5, 6, 7, 8}
print(A - B)
print(A.difference(B))
print(B.difference(A))
Python Sets
Python Set Operations
A = {1, 2, 3, 4, 5}
B = {4, 5, 6, 7, 8}
print(A ^ B)
print(A.symmetric_difference(B))
print(B.symmetric_difference(A))
Python Sets
Python Set Operations
discard() Removes an element from the set if it is a member. (Do nothing if the element is not in set)
pop() Removes and returns an arbitrary set element. Raises KeyError if the set is empty
remove() Removes an element from the set. If the element is not a member, raises a KeyError
symmetric_difference_update() Updates a set with the symmetric difference of itself and another
my_set = set("apple")
print('a' in my_set) # True
print('p' not in my_set) # False
Function Description
all() Returns True if all elements of the set are true (or if the set is empty). print(all(my_set))
any() Returns True if any element of the set is true. If the set is empty, returns False.
enumerate() Returns an enumerate object. It contains the index and value for all the items of the set as a pair.
len() Returns the length (the number of items) in the set.
max() Returns the largest item in the set.
min() Returns the smallest item in the set.
Sorted() Returns a new sorted list from elements in the set(does not sort the set itself).
Sum() Returns the sum of all elements in the set.
Python Sets
Python Set Operations
Python Frozenset
Frozenset is a new class that has the characteristics of a set, but its elements cannot be changed once
assigned. While tuples are immutable lists, frozensets are immutable sets.
Sets being mutable are unhashable, so they can't be used as dictionary keys. On the other hand,
frozensets are hashable and can be used as keys to a dictionary.
Being immutable, it does not have methods that add or remove elements.
A = frozenset([1, 2, 3, 4])
B = frozenset([3, 4, 5, 6])
print(A.isdisjoint(B)) # False
A.difference(B) # frozenset({1, 2})
- Python Dictionary
Dictionary is an unordered collection of key-value pairs.
It is generally used when we have a huge amount of data.
Dictionaries are optimized for retrieving data. We must know the key to retrieve the value.
In Python, dictionaries are defined within braces { } with each item being a pair in the form
key:value.
Key and value can be of any type.
d = {1:'value','key':2}
type(d)
Output: <class 'dict'>
We use key to retrieve the respective value. But not the other way around.
# empty dictionary
my_dict = {}
# using dict()
my_dict = dict({1:'apple', 2:'ball'})
While indexing is used with other data types to access values, a dictionary uses keys. Keys can be used
either inside square brackets [] or with the get()method.
If we use the square brackets [], KeyError is raised in case a key is not found in the dictionary.
On the other hand, the get() method returns None if the key is not found.
print(my_dict['name'])
print(my_dict.get('age'))
# KeyError
print(my_dict['address'])
Python Dictionary
Changing and Adding Dictionary elements
If the key is already present, then the existing value gets updated. In case the key is not present,
a new (key: value) pair is added to the dictionary.
# update value
my_dict['age'] = 27
print(my_dict)
# add item
my_dict['address'] = 'Al-Quds'
print(my_dict)
Python Dictionary
Removing elements from Dictionary
pop(): Remove a particular item using its key and returns the value.
popitem(): used to remove and return an arbitrary (key, value) item pair from the dictionary.
clear(): Remove all items.
del: remove individual items or the entire dictionary itself.
del squares
print(squares) # Throws Error
Python Dictionary
Python Dictionary Methods
Method Description
clear() Removes all items from the dictionary.
copy() Returns a shallow copy of the dictionary.
Returns a new dictionary with keys from seq and value equal to v (defaults to
fromkeys(seq[, v]) None).
Returns the value of the key. If the key does not exist, returns d (defaults to
get(key[,d]) None).
items() Return a new object of the dictionary's items in (key, value) format.
keys() Returns a new object of the dictionary's keys.
Removes the item with the key and returns its value or d if key is not found. If
pop(key[,d]) d is not provided and the key is not found, it raises KeyError.
Removes and returns an arbitrary item (key, value). Raises KeyError if the
popitem() dictionary is empty.
Returns the corresponding value if the key is in the dictionary. If not, inserts
setdefault(key[,d]) the key with a value of d and returns d (defaults to None).
Updates the dictionary with the key/value pairs from other, overwriting
update([other]) existing keys.
values() Returns a new object of the dictionary's values
Python Dictionary
Python Dictionary Comprehension
# Dictionary Comprehension
squares = {x: x*x for x in range(6)}
print(squares)
Output
squares = {}
for x in range(6):
squares[x] = x*x
print(squares)
Python Dictionary
Python Dictionary Comprehension
print(odd_squares)
Output
Function Description
Return True if all keys of the dictionary are True (or if the
all() dictionary is empty).
Return True if any key of the dictionary is true. If the dictionary
any() is empty, return False.
len() Return the length (the number of items) in the dictionary.
Examples:
print(1, 2, 3, 4)
Output: 1 2 3 4
print(1, 2, 3, 4, sep='*’)
Output: 1*2*3*4
x = 5; y = 10
print('The value of x is {} and y is {}'.format(x,y))
Output: The value of x is 5 and y is 10
Output:
I love bread and butter
I love butter and bread
Or
Output:
Enter a number: 10
x = int(num)
Python Import
When our program grows bigger, it is a good idea to break it
into different modules.
A module is a file containing Python definitions and
statements. Python modules have a filename and end with
the extension .py.
import sys
print(sys.path)
Arithmetic operators
print(x2 is y2)
Output: True
print(x3 is y3)
Output: False
Membership operators
Operator Meaning Example
in True if value/variable is found in the sequence 5 in x
not in True if value/variable is not found in the sequence 5 not in x
x = 'Hello world'
y = {1:'a',2:'b'}
print('H' in x)
Output: True
print('hello' not in x)
Output: True
print(1 in y)
Output: True
print('a' in y)
Output: False
What is Name in Python?
Name (also called identifier) is simply a name given to objects. Everything in Python is an object.
Name is a way to access the underlying object.
a = 2
print('id(2) =', id(2))
Output: id(2) = 9302208
a = a+1
b = 2
What is a Namespace in Python?
In Python, you can imagine a namespace as a mapping of every name you have defined to corresponding objects.
Different namespaces can co-exist at a given time but are completely isolated.
A namespace containing all the built-in names is created when we start the Python interpreter and exists as long as
the interpreter runs.
This is the reason that built-in functions like id(), print() etc. are always available to us from any part of the
program.
a = 10
If we try to assign as a value to b, a new variable b is created in the local namespace which
is different than the nonlocal b.