KEMBAR78
Unit 3 | PDF | Anonymous Function | Parameter (Computer Programming)
0% found this document useful (0 votes)
31 views124 pages

Unit 3

Uploaded by

pm481628
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
31 views124 pages

Unit 3

Uploaded by

pm481628
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 124

Python Programming

Unit 3
(BCC-302)
Ms. Akansha Singh
Assistant Professor
CSE/IT
Unit 3- Data Type
• String data types and string operations
• Defining List and list slicing
• Use of Tuple data types
• Dictionary
• String, list and dictionary manipulation
• Python Function
• Organizing python code using functions
Python Strings
• Strings in python are surrounded by either single
quotation marks, or double quotation marks.
• 'hello' is the same as "hello".
• You can display a string literal with the print() function:
– Example
– print("Hello")
print('Hello')
• Assigning a string to a variable is done with the
variable name followed by an equal sign and the string:
– Example
– a = "Hello"
print(a)
• Strings are Arrays
• However, Python does not have a character data type, a single
character is simply a string with a length of 1.
• Square brackets can be used to access elements of the string.
– Example
– Get the character at position 1 (remember that the first
character has the position 0):
– a = "Hello, World!"
print(a[1])

• String Length
• To get the length of a string, use the len() function.
– Example
– The len() function returns the length of a string:
– a = "Hello, World!"
print(len(a))
• Check String
• To check if a certain phrase or character is present in a string, we
can use the keyword in.
• Use it in an if statement:
– Example
– Print only if "free" is present:
– txt = "The best things in life are free!"
if "free" in txt:
print("Yes, 'free' is present.")

• Check if NOT
• To check if a certain phrase or character is NOT present in a string,
we can use the keyword not in.

Example
– print only if "expensive" is NOT present:
– txt = "The best things in life are free!"
if "expensive" not in txt:
print("Yes, 'expensive' is NOT present.")
Python - Slicing Strings
• You can return a range of characters by using the slice
syntax.
• Specify the start index and the end index, separated by
a colon, to return a part of the string.
– Example
– Get the characters from position 2 to position 5 (not
included):
– b = "Hello, World!"
print(b[2:5])
• Get the characters from the start to position 5 (not
included):
– b = "Hello, World!"
print(b[:5])
Strings indexing and splitting
Reassigning strings
• Updating the content of the strings is as easy
as assigning it to a new string.
• The string object doesn't support item
assignment i.e., A string can only be replaced
with a new string since its content can not be
partially replaced.
• Strings are immutable in python.
Example 1
str = "HELLO"
str[0] = "h"
print(str)
Output:
TypeError: 'str' object does not support item
assignment
String Operators
• Slice To the End
• By leaving out the end index, the range will go to the end:
• Example
– Get the characters from position 2, and all the way to the end:
– b = "Hello, World!"
print(b[2:])

• Negative Indexing
• Use negative indexes to start the slice from the end of the
string: Example
– Get the characters:
– From: "o" in "World!"
– To, but not included: "d" in "World!":
– b = "Hello, World!"
print(b[-5:-2])
Mathematical Operators for String:
We can apply the following mathematical
operators for Strings.
1) + operator for concatenation
2) * operator for repetition
print("united "+"class "+"2 "+"year ")
nd

united class 2nd year


print("united "*2 + “class ”*4)
united united class class class class
len() in-built Function:
We can use len() function to find the number of
characters present in the string.
Eg: s = 'vijay
a="abcdefgh123"
print(len(a))
print(min(a))
print(max(a))
print(sorted(a)): first convert into list then apply sort()
and then return the value in list form.
String Methods
Method Description

capitalize() Converts the first character to upper case

casefold() Converts string into lower case

center() Returns a centered string

count() Returns the number of times a specified


value occurs in a string

endswith() Returns true if the string ends with the


specified value

expandtabs() Sets the tab size of the string

find() Searches the string for a specified value and


returns the position of where it was found
isalnum() Returns True if all characters in the string are
alphanumeric
isalpha() Returns True if all characters in the string are in
the alphabet
isdecimal() Returns True if all characters in the string are
decimals
isdigit() Returns True if all characters in the string are digits

isidentifier() Returns True if the string is an identifier


islower() Returns True if all characters in the string are lower
case
isnumeric() Returns True if all characters in the string are
numeric
isprintable() Returns True if all characters in the string are
printable
isspace() Returns True if all characters in the string are
whitespaces
istitle() Returns True if the string follows the rules of a title
format() Formats specified values in a string

format_map() Formats specified values in a string

index() Searches the string for a specified value and


returns the position of where it was found

isalnum() Returns True if all characters in the string are


alphanumeric

isalpha() Returns True if all characters in the string are


in the alphabet

isdecimal() Returns True if all characters in the string are


decimals

isdigit() Returns True if all characters in the string are


digits

isidentifier() Returns True if the string is an identifier


isupper() Returns True if all characters in the string are upper case

join() Joins the elements of an iterable to the end of the string

ljust() Returns a left justified version of the string

lower() Converts a string into lower case


lstrip() Returns a left trim version of the string
partition() Returns a tuple where the string is parted into three
parts
replace() Returns a string where a specified value is replaced with
a specified value
rfind() Searches the string for a specified value and returns the
last position of where it was found

rindex() Searches the string for a specified value and returns the
last position of where it was found
Python - Modify Strings
Python has a set of built-in methods that you can use on strings.
• Upper Case
• Example
– The upper() method returns the string in upper case:
– a = "Hello, World!"
print(a.upper())
– Output: HELLO, WORLD!
• Lower Case
• Example
– The lower() method returns the string in lower case:
– a = "Hello, World!"
print(a.lower())
– Output: hello, world!
• Remove Whitespace
• Whitespace is the space before and/or after the actual text, and very
often you want to remove this space.
• Example
– The strip() method removes any whitespace from the beginning or the end:
– a = " Hello, World! "
print(a.strip()) # returns "Hello, World!“
• Replace String
• Example
– The replace() method replaces a string with another string:
– a = "Hello, World!"
print(a.replace("H", "J")) # returns Jello, World!
• Split String
• The split() method returns a list where the text between the specified
separator becomes the list items.
• Example
– The split() method splits the string into substrings if it finds instances of the
separator:
– a = "Hello, World!"
print(a.split(",")) # returns ['Hello', ' World!']
Changing Case of a String:
We can change case of a string by using the
following 4 methods.
1) upper() : To convert all characters to upper case
2) lower() : To convert all characters to lower case
3) swapcase() : Converts all lower case characters to
upper case and all upper case characters to lower case
4) title() : To convert all character to title case. i.e first
character in every word should be upper case and all
remaining characters should be in lower case.
5) capitalize() : Only first character will be converted to
upper case and all remaining characters can be
converted to lower case
s = 'learning PyTHon is very easy'
print(s.upper())
print(s.lower())
print(s.swapcase())
print(s.title())
print(s.capitalize())
OUTPUT
LEARNING PYTHON IS VERY EASY
learning python is very easy
LEARNING pYthON IS VERY EASY
Learning Python Is Very Easy
Learning python is very easy
Finding Substrings:
We can use the following 4 methods
For forward direction:
1) find()
2) index()
For backward direction:
1) rfind()
2) rindex()
find():
• s.find(substring)
• Returns index of first occurrence of the given
substring. If it is not available then we will get -1.
s="Learning Python is very easy"
print(s.find(‘p’))
print(s.find("Java"))
print(s.find("r"))
Output
-1
-1
3
Note:
• By default find() method can search total string. We
can also specify the boundaries to search.
• s.find(substring,bEgin,end)
• It will always search from begin index to end-1 index.
s="durgaravipavanshiva"
print(s.find('a'))
print(s.find('a',7,15))
print(s.find('z',7,15))
Output
4
10
-1
s="Learning Python is very easy"
print(s.rfind("p"))
print(s.rfind("Python"))
print(s.rfind("Java"))
print(s.rfind("r"))
Output
-1
9
-1
21
index():
• index() method is exactly same as find()
method except that if the specified substring
is not available then we will get ValueError.
s="Learning Python is very easy"
print(s.index("p"))
print(s.index("Python"))
print(s.index("Java"))
print(s.index("r"))
To Check Type of Characters Present
in a String:
Python contains the following methods for this purpose.
1) isalnum(): Returns True if all characters are alphanumeric( a
to z , A to Z ,0 to9 )
2) isalpha(): Returns True if all characters are only alphabet
symbols(a to z,A to Z)
3) isdigit(): Returns True if all characters are digits only( 0 to 9)
4) islower(): Returns True if all characters are lower case
alphabet symbols
5) isupper(): Returns True if all characters are upper case
aplhabet symbols
6) istitle(): Returns True if string is in title case
7) isspace(): Returns True if string contains only spaces
• print('Vijay786'.isalnum()) True
• print('vijay786'.isalpha()) False
• print('vijay'.isalpha()) True
• print('vijay'.isdigit()) False
• print('786786'.isdigit()) True
• print('abc'.islower()) True
• print('Abc'.islower()) False
• print('abc123'.islower()) True
• print('ABC'.isupper()) True
• print('Learning python is Easy'.istitle()) False
• print('Learning Python Is Easy'.istitle()) True
• print(' '.isspace()) True
Checking Starting and Ending Part of
the String
Python contains the following methods for this purpose
1) s.startswith(substring)
2) s.endswith(substring)
s = 'learning Python is very easy'
print(s.startswith('learning'))
print(s.endswith('learning'))
print(s.endswith('easy'))
Output:
True
False
True
Python String Count() Method
• It returns the number of occurrences of
substring in the specified range.
• It takes three parameters, first is a substring,
second a start index and third is last index of
the range.
• Start and end both are optional whereas
substring is required.
s="abcabcabcabcadda"
print(s.count('a'))
print(s.count('ab'))
print(s.count('a',3,7))
Output:
6
4
2
Replacing a String with another String:
s.replace(oldstring, newstring) inside s, every
occurrence of old String will be replaced with new
String.
Eg 1:
s = "Learning Python is very difficult"
s1 = s.replace("difficult","easy")
print(s1)
Output:
Learning Python is very easy
Eg 2:
All occurrences will be replaced
s = "ababababababab"
s1 = s.replace("a","b")
print(s1)
Output: bbbbbbbbbbbbbb
Eg: s = "abab"
s1 = s.replace("a","b")
print(s,"is available at :",id(s))
print(s1,"is available at :",id(s1))
Output:
abab is available at : 4568672
bbbb is available at : 4568704
Joining of Strings:
We can join a Group of Strings (List OR Tuple) wrt
the given Seperator.
s = seperator.join(group of strings)
Eg 1:
t = ('sun', 'ball, 'cat')
s = '-'.join(t)
print(s)
Output:
sun-ball-cat
Eg 2:
l = ['hyderabad', 'singapore', 'london', 'dubai']
s = ':'.join(l) print(s)
Output:
hyderabad:singapore:london:dubai
Partition
b='helaoanuabh'
print(b.partition('a'))
print(b.rpartition('a'))
output:
('hel', 'a', 'oanuabh')
('helaoanu', 'a', 'bh')
Split
We can split the given string according to specified
separator by using split() method
l=s.split(sepertor)
The default separator is space. The return type of
split() method is list.
s="100-200-300-400-500-abc"
l=s.split("-")
print(l)
Output
['100', '200', '300', '400', '500', 'abc']
a="hello its Monday today!!!“
print(a.split())
print(a.rsplit())
print(a.split(' * ',9))
Output
['hello', 'its', ‘Monday', 'today!!!']
['hello', 'its', ‘Monday', 'today!!!']
['hello its Monday today!!!']
s= '1,2,3,4,5,6,7,8,9'
print(s.split(','))
print(s.rsplit(','))
print(s.split(',',3))
print(s.rsplit(',',3))
output:
['1', '2', '3', '4', '5', '6', '7', '8', '9']
['1', '2', '3', '4', '5', '6', '7', '8', '9']
['1', '2', '3', '4,5,6,7,8,9']
['1,2,3,4,5,6', '7', '8', '9']
Join
a='abcdefg'
b="123"
print(a.join(b))
print(b.join(a))
output:
1abcdefg2abcdefg3
a123b123c123d123e123f123g
Just
a='abvdef'
print(a.ljust(50,'&'))
print(a.rjust(50,'$'))
Print(a.center(50,’$’))
output:
abvdef&&&&&&&&&&&&&&&&&&&&&&&&&&&&&&
&&&&&&&&&&&&&&
$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$ab
vdef
$$$$$$$$$$$$$$$$$$$$$$abvdef$$$$$$$$$$$$$$$$$$$
$$$
Python Formatting operator
• Python allows us to use the format specifiers
used in C's printf statement.
• The format specifiers in python are treated in
the same way as they are treated in C.
Example
Integer = 10;
Float = 1.290
String = "Ayush"
print("Hi I am Integer ... My value is %d\nHi I am
float ... My value is %f\nHi I am string ... My v
alue is %s"%(Integer,Float,String));
Output:
Hi I am Integer ... My value is 10
Hi I am float ... My value is 1.290000
Hi I am string ... My value is Ayush
Case1:
name = 'abc'
salary = 10000
age = 48
print("{} 's salary is {} and his age is
{}".format(name,salary,age))
print("{0} 's salary is {1} and his age is
{2}".format(name,salary,age))
print("{x} 's salary is {y} and his age is
{z}".format(z=age,y=salary,x=name))
Output:
abc 's salary is 10000 and his age is 48
abc 's salary is 10000 and his age is 48
abc 's salary is 10000 and his age is 48
Python Lists
• Lists are used to store multiple items in a single
variable.
• Lists are one of 4 built-in data types in Python
used to store collections of data, the other 3
are Tuple, Set, and Dictionary, all with different
qualities and usage.
• Lists are created using square brackets:
– Example
– Create a List:
• thislist = ["apple", "banana", "cherry"]
print(thislist)
• If we want to represent a group of individual objects as a
single entity where insertion order preserved and duplicates
are allowed, then we should go for List.
• Duplicate objects are allowed.
• Heterogeneous objects are allowed.
• List is dynamic because based on our requirement we can
increase the size and decrease the size.
• In List the elements will be placed within square brackets and
with comma separator.
• Python supports both positive and negative indexes.
• +ve index means from left to right where as negative index
means right to left.
– [10,"A","B",20, 30, 10]
• List objects are mutable .i.e we can change the content.
Creation of List Objects
• We can create empty list object as follows...
list = []
print(list)
print(type(list))

Output
[]
<class 'list'>
• With list() Function:
• Eg:
s="united"
l=list(s)
print(l)

Output
['u', 'n', 'i', 't', 'e', 'd']
• With split() Function:
s="Learning Python is very very easy !!!"
l=s.split()
print(l)
print(type(l))

Output
['Learning', 'Python', 'is', 'very', 'very', 'easy', '!!!']
<class 'list'>
List Items
• List items are ordered, changeable, and allow duplicate
values.
• List items are indexed, the first item has index [0], the
second item has index [1] etc.
• Ordered
• When we say that lists are ordered, it means that the items
have a defined order, and that order will not change.
• If you add new items to a list, the new items will be placed at
the end of the list.
• Changeable
• The list is changeable, meaning that we can change, add,
and remove items in a list after it has been created.
• Allow Duplicates
• Since lists are indexed, lists can have items
with the same value:
• List Length
• To determine how many items a list has, use
the len() function:
• List Items - Data Types
• List items can be of any data type:
• A list can contain different data types:
Python - Access List Items

• List items are indexed and you can access them by referring
to the index number:
• Negative indexing means start from the end
-1 refers to the last item, -2 refers to the second last item etc.
• Range of Indexes
• You can specify a range of indexes by specifying where to
start and where to end the range.
• When specifying a range, the return value will be a new list
with the specified items.
• Range of Negative Indexes
• Specify negative indexes if you want to start the search
from the end of the list:
List indexing and splitting
• The elements of the list can be accessed
by using the slice operator [:].
• The index starts from 0 and goes to
length - 1.
• Unlike other languages, python provides
us the flexibility to use the negative
indexing also.
• The negative indices are counted from the
right.
Positive and Negative indexing
Splitting
Find the Output of the Program

l1=[1,2,3,6,7]
print(l1[3:])
print(l1[1:3])
print(l1[:3])
Output
• [6, 7]
• [2, 3]
• [1, 2, 3]
List Built-in functions
1. len(): Returns the number of elements present in the
list
Eg: n = [10, 20, 30, 40]
print(len(n))
Output:
4
2. count(): It returns the number of occurrences of
specified item in the list
n=[1,2,2,2,2,3,3]
print(n.count(1))
print(n.count(2))
print(n.count(3))
3) index(): Returns the index of first occurrence of the
specified item.
n = [1, 2, 2, 2, 2, 3, 3]
print(n.index(1)) 0
print(n.index(2)) 1
print(n.index(3)) 5
print(n.index(4)) ValueError: 4 is not in list
• Note: If the specified element not present in the list
then we will get ValueError. Hence before index()
method we have to check whether item present in the
list or not by using in operator. print( 4 in n) False
• 4)reverse(): We can use to reverse() order of elements
of list.
n=[10,20,30,40]
n.reverse()
print(n)
D:\Python_classes>py test.py
[40, 30, 20, 10]
5) sort(): In list by default insertion order is preserved. If want to sort
the elements of list according to default natural sorting order then we
should go for sort() method.
For numbers  Default Natural sorting Order is Ascending Order
For Strings  Default Natural sorting order is Alphabetical Order
n = [20,5,15,10,0]
n.sort()
print(n)
s = ["Dog","Banana","Cat","Apple"]
s.sort()
print(s)
['Apple','Banana','Cat','Dog']
Note: To use sort() function, compulsory list should contain only
homogeneous elements. Otherwise we will get TypeError
n=[20,10,"A","B"]
n.sort()
print(n)
TypeError: '<' not supported between instances of 'str' and 'int'
To Sort in Reverse of Default Natural Sorting Order:
We can sort according to reverse of default natural sorting order
by using reverse=True argument.
n = [40,10,30,20]
n.sort()
print(n) [10,20,30,40]
n.sort(reverse = True)
print(n) [40,30,20,10]
n.sort(reverse = False)
print(n) [10,20,30,40]
Python - List Methods
Method Description
append() Adds an element at the end of the list
clear() Removes all the elements from the list
copy() Returns a copy of the list
count() Returns the number of elements with the
specified value
extend() Add the elements of a list (or any iterable), to
the end of the current list
index() Returns the index of the first element with
the specified value
insert() Adds an element at the specified position
pop() Removes the element at the specified
position
remove() Removes the item with the specified value
reverse() Reverses the order of the list
sort() Sorts the list
1) append() Function: We can use append() function to add item at the
end of the list.
list=[]
list.append("A")
list.append("B")
list.append("C")
print(list)
D:\Python_classes>py test.py
['A', 'B', 'C']
Eg: To add all elements to list upto 100 which are divisible by 10
list=[]
for i in range(101):
if i%10==0:
list.append(i)
print(list)
D:\Python_classes>py test.py
[0, 10, 20, 30, 40, 50, 60, 70, 80, 90, 100]
2) insert() Function: To insert item at specified index position
n=[1,2,3,4,5]
n.insert(1,888)
print(n)
D:\Python_classes>py test.py
[1, 888, 2, 3, 4, 5]
n=[1,2,3,4,5]
n.insert(10,777)
n.insert(-10,999)
print(n)
D:\Python_classes>py test.py
[999, 1, 2, 3, 4, 5, 777]
Note: If the specified index is greater than max index then element will
be inserted at last position. If the specified index is smaller than min
index then element will be inserted at first position.
3) extend() Function: To add all items of one list to another list
l1.extend(l2)
all items present in l2 will be added to l1
order1=["Chicken","Mutton","Fish"]
order2=["RC","KF","FO"]
order1.extend(order2)
print(order1)
D:\Python_classes>py test.py
['Chicken', 'Mutton', 'Fish', 'RC', 'KF', 'FO']
order = ["Chicken","Mutton","Fish"]
order.extend("Mushroom")
print(order)
D:\Python_classes>py test.py
['Chicken', 'Mutton', 'Fish', 'M', 'u', 's', 'h', 'r', 'o', 'o', 'm']
4) remove() Function:
We can use this function to remove specified item from the list. If the
item present multiple times then only first occurrence will be
removed.
n=[10,20,10,30]
n.remove(10)
print(n)
D:\Python_classes>py test.py
[20, 10, 30]
If the specified item not present in list then we will get ValueError
n=[10,20,10,30]
n.remove(40)
print(n)
ValueError: list.remove(x): x not in list
Note: Hence before using remove() method first we have to check
specified element present in the list or not by using in operator
5) pop() Function:
It removes and returns the last element of the list.
This is only function which manipulates list and returns some element.
n=[10,20,30,40]
print(n.pop())
print(n.pop())
print(n)
D:\Python_classes>py test.py
40
30
[10, 20]
If the list is empty then pop() function raises IndexError
n = []
print(n.pop())
IndexError: pop from empty list
• Note:
• 1) pop() is the only function which manipulates the list and
returns some value
• 2) In general we can use append() and pop() functions to
implement stack data structure by using list, which follows
LIFO(Last In First Out) order.
• In general we can use pop() function to remove last element of
the list. But we can use to remove elements based on index.
• n.pop(index) To remove and return element present at
specified index.
• n.pop() To remove and return last element of the list
• n = [10,20,30,40,50,60]
• print(n.pop()) 60
• print(n.pop(1)) 20
• print(n.pop(10)) IndexError: pop index out of range
• Note: List Objects are dynamic. i.e based on our requirement
we can increase and decrease the size.
• append(), insert(), extend() for increasing the
size/growable nature
• remove(), pop() for decreasing the size
/shrinking nature
Introduction to the list unpacking
colors = ['red', 'blue', 'green’]
To assign the first, second, and third elements of
the list to variables, you may assign individual
elements to variables like this:
red = colors[0]
blue = colors[1]
green = colors[2]

red, blue, green = colors


If you use a fewer number of variables on the
left side, you’ll get an error. For example:

colors = ['red', 'blue', 'green']


red, blue = colors
Error
colors = ['cyan', 'magenta', 'yellow', 'black']
cyan, magenta, *other = colors

print(cyan)
print(magenta)
print(other)
Here the first and second elements of the colors
list to the cyan and magenta variables. And it
assigns the last elements of the list to the other
variable
Python List Operations
Aliasing and Cloning of List Objects:
• The process of giving another reference
variable to the existing list is called aliasing.
x=[10,20,30,40]
y=x
print(id(x))
print(id(y))
Aliasing and Cloning of List Objects
• The problem in this approach is by using one
reference variable if we are changing content,
then those changes will be reflected to the
other reference variable.
x = [10,20,30,40]
y=x
y[1] = 777
print(x) 10,777,30,40
Aliasing and Cloning of List Objects
• To overcome this problem we should go for cloning.
• The process of creating exactly duplicate independent object
is called cloning.
• We can implement cloning by using slice operator or by using
copy() function.
1) By using Slice Operator:
x = [10,20,30,40]
y = x[:]
y[1] = 777
print(x)
print(y)
Aliasing and Cloning of List Objects
2) By using copy() Function:
x = [10,20,30,40]
y = x.copy()
y[1] = 777
print(x)
print(y)
clear() Function
clear() Function: We can use clear() function to
remove all elements of List.
n=[10,20,30,40]
print(n)
n.clear()
print(n)
Output
[10, 20, 30, 40]
[]
List Program
• Python program to interchange first and last
elements in a list
• Python program to swap two elements in a list
• Python program to find smallest number in a list
• Python program to find largest number in a list
• Python program to find second largest number in
a list
• Python program to print even numbers in a list
• Python program to print odd numbers in a List
List Program
• Python program to print all even numbers in a
range
• Python program to print all odd numbers in a
range
• Python program to count Even and Odd numbers
in a List
• Python program to print positive numbers in a
list
• Python program to print negative numbers in a
list
• Remove multiple elements from a list in Python
Python Tuple
• Python Tuple is used to store the sequence of
immutable python objects.
• Tuple is similar to lists since the value of the items
stored in the list can be changed whereas the
tuple is immutable and the value of the items
stored in the tuple can not be changed.
• Tuple is exactly same as List except that it is
immutable. i.e once we creates Tuple object, we
cannot perform any changes in that object.
• Hence Tuple is Read only version of List. If our
data is fixed and never changes then we should
go for Tuple.
Python Tuples
• Duplicates are allowed Tuple support both +ve
and -ve index. +ve index means forward
direction (from left to right) and -ve index
means backward direction (from right to left)
• We can represent Tuple elements within
Parenthesis() and with comma seperator..
• Example
– Create a Tuple:
– thistuple = ("apple", "banana", "cherry")
print(thistuple)
Python Tuples

t=10,20,30,40
t=(10,20,30,40,50)
print(t)
print(type(t))
Output
(10, 20, 30, 40, 50)
<class 'tuple'>
t=()
print(type(t))
Python Tuples

Note: We have to take special care about single


valued tuple. compulsory the value should ends
with comma, otherwise it is not treated as tuple.
t=(10)
print(t)
print(type(t))
Python Tuples

t=(10,)
print(t)
print(type(t))
Tuple Creation:
1. t = () Creation of Empty Tuple
2. t = (10,) t = 10, Creation of Single valued Tuple,
Parenthesis are Optional, should ends with Comma
3. t = 10, 20, 30
Or t = (10, 20, 30) Creation of multi values Tuples &
Parenthesis are Optional.
4. By using tuple() Function:
list=[10,20,30]
t=tuple(list)
print(t)
t=tuple(range(10,20,2))
print(t)
Accessing Elements of Tuple:
We can access either by index or by slice operator
1. By using Index:
t = (10, 20, 30, 40, 50, 60)
print(t[0])
print(t[-1])
Print(t[100])
OUTPUT
10
60
Traceback (most recent call last):
File "C:/Users/Admin/Desktop/tuple.py", line 26, in <module>
print(t[100])
IndexError: tuple index out of range
Accessing Elements of Tuple:
By using Slice Operator:
t=(10,20,30,40,50,60,70,80)
print(t[2:5])
print(t[2:100])
print(t[::2])
Output
(30, 40, 50)
(30, 40, 50, 60, 70, 80)
(10, 30, 50, 70)
Tuple Methods

• Python has two built-in methods that you can


use on tuples.

Method Description
count() Returns the number of times a specified value
occurs in a tuple
index() Searches the tuple for a specified value and
returns the position of where it was found
Python Dictionaries

• Dictionaries are used to store data values in key:value pairs.


• A dictionary is a collection which is ordered*, changeable
and does not allow duplicates.
• Dictionaries are written with curly brackets, and have keys
and values:
• Example
• Create and print a dictionary:
• thisdict = {
"brand": "Ford",
"model": "Mustang",
"year": 1964
}
print(thisdict)
• Accessing Items
• You can access the items of a dictionary by
referring to its key name, inside square brackets:
• There is also a method called get() that will give
you the same result:
• Get Keys
• The keys() method will return a list of all the keys
in the dictionary.
• Get Values
• The values() method will return a list of all the
values in the dictionary.
• Get Items
• The items() method will return each item in a
dictionary, as tuples in a list.
Adding Items

• Adding an item to the dictionary is done by using


a new index key and assigning a value to it:
• Example
• thisdict = {
"brand": "Ford",
"model": "Mustang",
"year": 1964
}
thisdict["color"] = "red"
print(thisdict)
Update Dictionary
• The update() method will update the dictionary with
the items from a given argument. If the item does not
exist, the item will be added.
• The argument must be a dictionary, or an iterable
object with key:value pairs.
• Example
• Add a color item to the dictionary by using
the update() method:
• thisdict = {
"brand": "Ford",
"model": "Mustang",
"year": 1964
}
thisdict.update({"color": "red"})
Remove Dictionary Items

The pop() method removes the The del keyword removes the
item with the specified key name: item with the specified key name:
• thisdict = { • thisdict = {
"brand": "Ford", "brand": "Ford",
"model": "Mustang", "model": "Mustang",
"year": 1964 "year": 1964
} }
thisdict.pop("model") del thisdict["model"]
print(thisdict) print(thisdict)
Dictionary Methods
Method Description
clear() Removes all the elements from the dictionary

copy() Returns a copy of the dictionary


fromkeys() Returns a dictionary with the specified keys
and value
get() Returns the value of the specified key
items() Returns a list containing a tuple for each key
value pair
keys() Returns a list containing the dictionary's keys

pop() Removes the element with the specified key

popitem() Removes the last inserted key-value pair


setdefault() Returns the value of the specified key. If the
key does not exist: insert the key, with the
specified value
update() Updates the dictionary with the specified key-
value pairs
values() Returns a list of all the values in the dictionary
Dictionary Programs

• Python | Sort Python Dictionaries by Key or


Value
• Python program to find the sum of all items in
a dictionary
Python Functions

• A function is a block of code which only runs


when it is called.
• You can pass data, known as parameters, into
a function.
• A function can return data as a result.
• Creating a Function
• In Python a function is defined using the def keyword:
• Example
• def my_function():
print("Hello from a function")

• Calling a Function
• To call a function, use the function name followed by
parenthesis:
• Example
• def my_function():
print("Hello from a function")
my_function()
Arguments
• Information can be passed into functions as arguments.
• Arguments are specified after the function name, inside the
parentheses. You can add as many arguments as you want,
just separate them with a comma.
• The following example has a function with one argument
(fname). When the function is called, we pass along a first
name, which is used inside the function to print the full
name:
• Example
• def my_function(fname):
print(fname + " Refreshes")
my_function("Emil")
my_function("Tobias")
my_function("Linus")
Number of Arguments

• By default, a function must be called with the correct


number of arguments. Meaning that if your function
expects 2 arguments, you have to call the function with
2 arguments, not more, and not less.
• Example
• This function expects 2 arguments, and gets 2
arguments:
• def my_function(fname, lname):
print(fname + " " + lname)
my_function("Emil", "Refsnes")
Passing a List as an Argument
• You can send any data types of argument to a function
(string, number, list, dictionary etc.), and it will be
treated as the same data type inside the function.
• E.g. if you send a List as an argument, it will still be a
List when it reaches the function:
• Example
• def my_function(food):
for x in food:
print(x)
fruits = ["apple", "banana", "cherry"]
my_function(fruits)
Return Values

• To let a function return a value, use


the return statement:
• Example
• def my_function(x):
return 5 * x

print(my_function(3))
print(my_function(5))
print(my_function(9))
The pass Statement

• function definitions cannot be empty, but if


you for some reason have
a function definition with no content, put in
the pass statement to avoid getting an error.
• Example
• def myfunction():
pass
Types of Parameters or Arguments
• Positional
• Keyword
• Default
• Variable length
Keyword Arguments

• You can also send arguments with


the key = value syntax.
• This way the order of the arguments does not
matter.
• Example
• def my_function(child3, child2, child1):
print("The youngest child is " , child3)

my_function(child1 = "Emil", child2 = "Tobias",


child3 = "Linus")
Default Parameter Value
• The following example shows how to use a
default parameter value.
• If we call the function without argument, it uses
the default value:
• Example
• def my_function(country = "Norway"):
print("I am from " + country)
my_function("Sweden")
my_function("India")
my_function()
my_function("Brazil")
Arbitrary Arguments, *args
• If you do not know how many arguments that will
be passed into your function, add a * before the
parameter name in the function definition.
• This way the function will receive a tuple of
arguments, and can access the items accordingly:
• Example
• If the number of arguments is unknown, add
a * before the parameter name:
• def my_function(*kids):
print("The youngest child is " + kids[2])
my_function("Emil", "Tobias", "Linus")
Arbitrary Keyword Arguments,
**kwargs
• If you do not know how many keyword arguments that will
be passed into your function, add two asterisk: ** before
the parameter name in the function definition.
• This way the function will receive a dictionary of
arguments, and can access the items accordingly:
• Example
• If the number of keyword arguments is unknown, add a
double ** before the parameter name:
• def my_function(**kid):
print("His last name is " + kid["lname"])
my_function(fname = "Tobias", lname = "Refsnes“)
Python Lambda
• A lambda function is a small anonymous function.
• A lambda function can take any number of
arguments, but can only have one expression.
• Syntax
– lambda arguments : expression
• The expression is executed and the result is
returned:
• Example
– Add 10 to argument a, and return the result:
– x = lambda a : a + 10
print(x(5))
Lambda functions can take any
number of arguments:
• Example
– Multiply argument a with argument b and return
the result:
– x = lambda a, b : a * b
print(x(5, 6))
• Example
– Summarize argument a, b, and c and return the
result:
– x = lambda a, b, c : a + b + c
print(x(5, 6, 2))
Why Use Lambda Functions?

• The power of lambda is better shown when


you use them as an anonymous function
inside another function.
• Say you have a function definition that takes
one argument, and that argument will be
multiplied with an unknown number:
• def myfunc(n):
return lambda a : a * n
• Use that function definition to make a function that
always doubles the number you send in:
• Example
– def myfunc(n):
return lambda a : a * n
mydoubler = myfunc(2)
print(mydoubler(11))
• Or, use the same function definition to make a function
that always triples the number you send in:
• Example
– def myfunc(n):
return lambda a : a * n
mytripler = myfunc(3)
print(mytripler(11))
• Or, use the same function definition to make
both functions, in the same program:
• Example
– def myfunc(n):
return lambda a : a * n

mydoubler = myfunc(2)
mytripler = myfunc(3)

print(mydoubler(11))
print(mytripler(11))
Lambda functions..
• Filter()
– Var=list(filter(lambda exp,val))
• Map()
– Var=list(map(lambda exp,val))
• Reduce()
• For using reduce method we must import
functools like
– From functools import reduce
– Var=reduce(lambda exp, val)
Random library
• Python has many inbuilt packages and modules.
One of the most useful modules is random. This
module helps in generating random numbers.
• The code given below generates a random
number between x and y-1 (both inclusive) using
the randrange function of the random module.
• Try out and observe the output.
• Example
– import random
– x=10
– y=50
– print(random.randrange(x,y))
Math library
• math is another useful module in Python.
Once you have imported the math module,
you can use some of the below functions:
Function Explanation

math.ceil(x) Smallest integer greater than or equal to x

math.floor(x) Largest integer smaller than or equal to x

math.factorial(x) Factorial of x

math.fabs(x) Gives absolute value of x


• Example
– import math
– num1=234.01
– num2=6
– num3=-27.01
– print("The smallest integer greater than or equal to
num1,",num1,":",math.ceil(num1))
– print("The largest integer smaller than or equal to
num1,",num1,":",math.floor(num1))
– print("The factorial of num2,",num2,":",
math.factorial(num2))
– print("The absolute value of
num3" ,num3,":",math.fabs(num3))
Date and time
• Python has inbuilt modules called time and datetime.
They are very helpful in finding details of time. GMT -
Greenwich Mean Time
Function Explanation
time.gmtime() Returns the current GM time
Returns the current time based on the current
time.localtime()
locality

Converts t to a string as specified by the format


argument and returns it.
time.strftime(t,format) Where t is the time returned by time.gmtime() or
time.localtime(). It is optional, default value is
current time as returned by time.localtime()

datetime.datetime.strptime (date_string, Converts a date string in the specified format to a


format) datetime value and returns it
datetime.date.today() Returns the current local date
• EXAMPLE
– import time
– import datetime

– #To get current GM time


– print("Current GM time:",time.gmtime())
– #This returns a time structure containing 9 values - year, month,day, hour, minute, sec, day of week, day
of year and daylight savings.

– #To get current local time


– print("Current local time:",time.localtime())
– #This also returns a time structure containing 9 values - year, month,day, hour, minute, sec, day of week,
day of year and daylight savings.

– #To extract today's date in a specified string format


– print("Today's date using time module",time.strftime("%m-%m/%Y"))

– #Python additionally allows use of datetime module


– #Prints today's date
– print("Today's date using datetime module:", datetime.date.today())

– #To extract today's date in a specified string format


– print("Today's date (dd/mm/yyyy) using datetime module:",
datetime.date.today().strftime("%d/%m/%Y"))

– #To convert a date in string format to datetime value


– print("Today's date (dd/mm/yyyy):", datetime.datetime.strptime("17/04/1","%y/%d/%m"))

You might also like