KEMBAR78
Data Structures | PDF | Function (Mathematics) | Computer Programming
0% found this document useful (0 votes)
58 views83 pages

Data Structures

Python data structure
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)
58 views83 pages

Data Structures

Python data structure
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/ 83

OBJECT ORIENTED PROGRAMMING

(23EN1202)

UNIT-3: DATA STRUCTURES IN PYTHON

Prof. SHARATH H A Prof. NAVEEN KULKARNI


Assistant professor- CSE Assistant Professor - CYS

Email-id: sharath.ha-cse@dsu.edu.in Email-id: naveenk-cse@dsu.edu.in


Faculty Cabin: A536 Faculty Cabin: A434

01-Apr-24 1.0001 LECTURE 1 1


content
Data structure defines a particular way of storing and organizing data in a
computer so that it can be used efficiently.
Sequence is the most basic data structure in python. A data sequence is a group
of data elements that are put together under one name.
In the sequence data structure, each element has a specific index (starts from zero)

Data Structure
• List
• Tuples
• Sets
• Dictionaries
• Arrays
2
Data-structures
Types of Data Structures
• Strings – immutable ordered sequence of characters
EX: S = ‘abc’ or S = “abc” or S = ‘‘‘abc’’’
• List – mutable ordered sequence of objects
EX: L = [1,2,’a’]
• Tuples – immutable ordered sequence of objects
EX: T = (1,2,’a’)
• Sets – mutable unordered sequence of unique element
EX: S = {1,2,3}
Frozen-sets – same as Sets but it is immutable
EX: FS = frozenset(s)
• Dictionaries – mutable unordered collection of value pairs (mapping unique key to value)
EX: D = {(1:’Karnataka’),(2:’Kerala’),(3:’Tamil Nadu’)}
3
Terminologies
Ordered and Unordered
• Ordered/Indexed – Ordered means that the data structure retains the
ordering as provided by the programmer
Ex: String, List and Tuples
• Unordered - Non ordered means that the data structure doesn’t have a
specific order, and doesn’t care about any ordering by the programmer
Ex: Sets and Dictionaries

Mutable and Immutable


• Mutable – is the ability of objects to change their values.
Ex: List, Set and Dictionary
• Immutable - if the value of an object cannot be changed over time, then it is
known as immutable. Once created, the value of these objects is permanent
Ex: Strings, Tuples and Frozen-sets
LIST
List:
▪ A list is an ordered sequence of values and are mutable/changeable.
▪ Tuples are written with square brackets.
▪ It is a data structure in Python. The values inside the lists can be of any type
(like integer, float, strings, lists, tuples, dictionaries etc..) and are called as
elements or items.
Example:
mylist=[10,-4, 25, 13]
print(mylist)

Output:
[10,-4, 25, 13]

List items are indexed, the first item has index [0], the second item has index [1] etc.
Allow Duplicates: Since list are indexed, they can have items with the same value:
Example:
mylist = ["apple", "banana", "cherry", "apple", "cherry"]
print(mylist)
Output:
['apple', 'banana', 'cherry', 'apple', 'cherry']
List Items - Data Types: List items can be of any data type

Example:
list1 = ["apple", "banana", "cherry"]
list2 = [1, 5, 7, 9, 3]
list3 = [True, False, False]
print(list1)
print(list2)
print(list3)

Output:
['apple', 'banana', 'cherry‘]
[1, 5, 7, 9, 3]
[True, False, False]
List Items - Data Types (C0ntinue): A list can contain different data types
Example:
list1 = ["abc", 34, True, 40, "male"]
print(list1)

Output:
['abc', 34, True, 40, 'male‘]
type(): From Python's perspective, list are defined as objects with the data type ‘list'
<class 'list'>

Example:
mylist = ["apple", "banana", "cherry"]
print(type(mylist))

Output:
<class 'list'>
The list() Constructor: It is also possible to use the list() constructor to make a list.

Example:
mylist = list(("apple", "banana", "cherry")) # note the double round-brackets
print(mylist)

Output:
['apple', 'banana', 'cherry‘]
Access List Items: You can access list items by referring to the index number, inside square brackets
Example:
mylist = ["apple", "banana", "cherry“]
print(mylist[1])

Output:
banana
--------------------------------------------------------------------------------------
--------------------------------------------------------------------------------------
Negative Indexing: Negative indexing means start from the end. -1 refers to the last item, -2 refers to the
second last item etc.
Example:
mylist = ["apple", "banana", "cherry"]
print(mylist[-1])

Output:
cherry
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.

Example:
mylist = ["apple", "banana", "cherry", "orange", "kiwi", "melon", "mango"]
print(mylist[2:5])

Output:
['cherry', 'orange', 'kiwi']
Note: The search will start at index 2 (included) and end at index 5 (not included).
------------------------------------------------------------------------------------------------------------------------------------------
Example:
mylist = ["apple", "banana", "cherry", "orange", "kiwi", "melon", "mango"]
print(mylist[:4])

Output:
['apple', 'banana', 'cherry', 'orange']
Guess the output:
Example:
mylist = ["apple", "banana", "cherry", "orange", "kiwi", "melon", "mango"]
print(mylist[2:])
Output:

?
--------------------------------------------------------------------------------------
Range of Negative Indexes: Specify negative indexes if you want to start the search from the end of the
tuple
Example:
mylist = ["apple", "banana", "cherry", "orange", "kiwi", "melon", "mango"]
print(mylist[-4:-1])
Output:
['orange', 'kiwi', 'melon']
Change item value:
Example:
thislist = ["apple", "banana", "cherry"]
thislist[1] = "blackcurrant"
print(thislist)
Output:
["apple", "blackcurrant", "cherry"]
--------------------------------------------------------------------------------------

Change a range of item values:


Example:
thislist = ["apple", "banana", "cherry", "orange", "kiwi", "mango"]
thislist[1:3] = ["blackcurrant", "watermelon"]
print(thislist)
Output:
["apple", "blackcurrant", "watermelon", "orange", "kiwi", "mango"]
Change a range of item values:
Example:
thislist = ["apple", "banana", "cherry"]
thislist[1:2] = ["blackcurrant", "watermelon"]
print(thislist)
Output:
["apple", "blackcurrant", "watermelon", "cherry"]
--------------------------------------------------------------------------------------

Change a range of item values:


Example:
thislist = ["apple", "banana", "cherry"]
thislist[1:3] = ["watermelon"]
print(thislist)
Output:
["apple", "watermelon"]
Inserting Element to List :
Example:
vowels=['a','i','o','u']
print("old list =",vowels)
vowels.insert(1,'e')
print("new list =",vowels)
Output:
old list = ['a', 'i', 'o', 'u']
new list = ['a', 'e', 'i', 'o', 'u']
--------------------------------------------------------------------------------------
Inserting a Tuple (as an Element) to the List ‘insert( )’:
Example:
list = [{1, 2}, [5, 6, 7]]
print('old List: ', list)
number_tuple = (3, 4)
list.insert(1, number_tuple)
print('Updated List: ', list)
Output:
old List: [{1, 2}, [5, 6, 7]]
Updated List: [{1, 2}, (3, 4), [5, 6, 7]]
--------------------------------------------------------------------------------------
Pop Element at the Given Index from the List:
Example:
list = ['Python', 'Java', 'C++', 'French', 'C']
return_value = language.pop(3)
print('Return Value: ', return_value)
print('Updated List: ', language)
Output:
old list = ['Python', 'Java', 'C++', 'French', 'C']
Return Value: French
Updated List: ['Python', 'Java', 'C++', 'C']
--------------------------------------------------------------------------------------
pop() when index is not passed:
Example:
language = ['Python', 'Java', 'C++', 'C']
print('Return Value: ', language.pop())
print('Updated List: ', language)
print('Return Value: ', language.pop(-1))
print('Updated List: ', language)
Output:
Return Value: C
Updated List: ['Python', 'Java', 'C++']
Return Value: C++ Updated
List: ['Python', 'Java']
-------------------------------------------------------------------------------------
copy( ) method:
▪ A list can be copied with = operator.
old_list = [1, 2, 3]
new_list = old_list
▪ The problem with copying the list in this way is that if you modify the new_list, the old_list is also
modified.
Example:
old_list = [1, 2, 3]
new_list = old_list #Aliasing
new_list.append('a')
print('New List:', new_list )
print('Old List:', old_list )
Output:
New List: [1, 2, 3, 'a']
Old List: [1, 2, 3, 'a']
-------------------------------------------------------------------------------------
copy( ) method:
▪ We need the original list unchanged when the new list is modified, you can use copy() method.
▪ The copy() method doesn't take any parameters and it returns a shallow copy of the list.
▪ The copy() function returns a list. It doesn't modify the original list.
Example:
list1 = [1,2,4]
new_list = list1.copy() or new_list = list[:]
new_list.append(5)
print('Old List: ', list1)
print('New List: ', new_list)
Output:
Old List: [1, 2, 4]
New List: [1, 2, 4, 5]
-------------------------------------------------------------------------------------
remove( ) method:
▪ The remove() method searches for the given element in the list and removes the first matching element.
▪ The remove() method takes a single element as an argument and removes it from the list.
▪ If the element(argument) passed to the remove() method doesn't exist, valueError exception is thrown.
Example:
list = [5,78,12,26,50]
print('Original list: ', list)
list.remove(12)
print('Updated list elements: ', list)
Output:
Original list: [5, 78, 12, 26, 50]
Updated list: [5, 78, 26, 50]
-------------------------------------------------------------------------------------
reverse( ) method:
▪ The reverse() method reverses the elements of a given list.
▪ The reverse() function doesn't return any value. It only reverses the elements and updates the list.
Example:
list = [1,5,8,6,11,55]
print('Original List:', list)
list.reverse() or rev_list = list[::-1]
print('Reversed List:', list) print('Reversed List:', rev_list)
Output:
Original List: [1, 5, 8, 6, 11, 55]
Reversed List: [55, 11, 6, 8, 5, 1]
-------------------------------------------------------------------------------------
sort( ) method:
▪ The sort() method sorts the elements of a given list.
▪ The sort() method sorts the elements of a given list in a specific order - Ascending or Descending.
Example:
list = [1,15,88,6,51,55]
print('Original List:', list)
list.sort()
print('sorted List:', list)
Output:
Original List: [1, 15, 88, 6, 51, 55]
sorted List: [1, 6, 15, 51, 55, 88]
-------------------------------------------------------------------------------------
Example:
list = [1,15,88,6,51,55]
print('Original List:', list)
list.sort(reverse=True)
print('sorted List:', list)
Output:
Original List: [1, 15, 88, 6, 51, 55]
sorted List: [88, 55, 51, 15, 6, 1]
Arithmetic operation +, * on list:
Example:
>>> ls1=[1,2,3]
>>> ls2=[5,6,7]
>>> print(ls1+ls2)
[1, 2, 3, 5, 6, 7]
>>> ls1=[1,2,3]
>>> print(ls1*3)
[1, 2, 3, 1, 2, 3, 1, 2, 3]
>>> [0]*4
[0, 0, 0, 0]
-------------------------------------------------------------------------------------

in and not in:


Example:
list1 = [1,15,88,6,51,55]
if 88 in list1 returns True
print('Element Found')
Output:
Element Found
Lists and Functions:
▪ The utility functions like max(), min(), sum(), len() etc. can be used on lists. Hence most of the
operations will be easy without the usage of loops.

Example:
>>> ls=[3,12,5,26, 32,1,4]
>>> max(ls)
32
>>> min(ls)
1
>>> sum(ls)
83
>>> len(ls)
7
>>> avg=sum(ls)/len(ls)
>>> print(avg)
11.857142857142858
Looping through list:
1. A Simple for Loop
Using a Python for loop is one of the simplest methods for iterating over a list or any other sequence
(e.g. TUPLES, SETS, OR DICTIONARIES).
We can use them to run the statements contained within the loop once for each item in a list.
Example:
fruits = ["Apple", "Mango", "Banana", "Peach"]
for fruit in fruits:
print(fruit)
Output:
Apple
Mango
Banana
Peach
Looping through list:
2. A for Loop with range()
range() generates a sequence of integers from the provided starting and stopping indexes.
Example:
fruits = ["Apple", "Mango", "Banana", "Peach"]
for i in range(len(fruits)):
print("The list at index", i, "contains a", fruits[i])
#print(fruit[i])

Output:
The list at index 0 contains a Apple
The list at index 1 contains a Mango
The list at index 2 contains a Banana
The list at index 3 contains a Peach

Apple
Mango
Banana
Peach
Functional programming:
Functional Programming decomposes a problem into a set of functions. The map(),filter(),
and reduce() functions.

1. map( ) Function: The map() function applies a particular function to every element of a list.
Syntax: map(function,sequence)
After applying the specified function in the sequence, the map( ) function returns the modified list.
Ex: Program that adds 2 to every value in the list.
def add_2(x):
x+=2
return x
num_list=[1,2,3,4,5,6,7]
print(“original list is: ”,num_list) output:
new_list=list(map(add_2,num_list)) original list is:
print(“modified list is: ”,new_list) [1,2,3,4,5,6,7]
modified list is:
[3,4,5,6,7,8,9]
2. reduce( ) Function:
The reduce( ) function with syntax as given below returns a single value generated by calling the
function on the first two items of the sequence, then on the result and the next item and so on.
Syntax:
reduce(function,sequence)
Ex: Program to calculate the sum of values in a list using the reduce( ) function.

import functools #functools is a module that contains the function reduce()

def add(x,y):
return x+y

num_list=[1,2,3,4,5]
print(“sum of values in list=”)
print(functools.reduce(add,num_list)) output:
sum of values in list= 15
3. filter( ) Function:
It constructs a list from those elements of the list for which a function returns True..
Syntax:
filter(function,sequence)
As per the syntax filter( ) function returns a sequence that contains items from the sequence for which the
function is True. If sequence is a string, Unicode, or a tuple, then the result will be the same type;
Ex: Program to create a list of numbers divisible by 2 or 4 using list comprehension.

def check(x):
if(x%2==0 or x%4==0):
return 1
#call check( ) for every value between 2 to 21
evens=list(filter(check,range(2,22))
print(evens)

output:
[2,4,6,8,10,12,14,16,18,20]
TUPLES
Tuples:
▪ Like list, Tuples are used to store multiple items in a single variable.
▪ A tuple is a collection which is ordered and unchangeable.
▪ Tuples are written with round brackets.

Example:
thistuple = ("apple", "banana", "cherry")
print(thistuple)

Output:
("apple", "banana", "cherry")

Tuple items are indexed, the first item has index [0], the second item has index [1] and so on.
Following are the important differences between List and Tuple.

Sl.
Key List Tuple
No.
1 Type List is mutable. Tuple is immutable.
List iteration is slower and is time
2 Iteration Tuple iteration is faster.
consuming.

Appropriate List is useful for insertion and Tuple is useful for read only
3
for deletion operations. operations like accessing elements.

Memory
4 List consumes more memory. Tuples consumes less memory.
Consumption

List provides many in-built


5 Methods Tuples have less in-built methods.
methods.
List operations are more error
6 Error prone Tuples operations are safe.
prone.
Similarities:
Although there are many differences between list and tuple, there are some
similarities too, as follows:
• The two data structures are both sequence data types that store collections of
items.
• Items of any data type can be stored in them.
• Items can be accessed by their index.
Allow Duplicates: Since tuples are indexed, they can have items with the same value:

Example:
thistuple = ("apple", "banana", "cherry", "apple", "cherry")
print(thistuple)

Output:
('apple', 'banana', 'cherry', 'apple', 'cherry')
Create Tuple With One Item: To create a tuple with only one item, you have to add a comma after the
item, otherwise Python will not recognize it as a tuple.

Example:
thistuple = ("apple",)
print(type(thistuple))

#NOT a tuple
thistuple = ("apple")
print(type(thistuple))

Output:
<class 'tuple'>
<class 'str'>
Tuple Items - Data Types: Tuple items can be of any data type

Example:
tuple1 = ("apple", "banana", "cherry")
tuple2 = (1, 5, 7, 9, 3)
tuple3 = (True, False, False)
print(tuple1)
print(tuple2)
print(tuple3)

Output:
('apple', 'banana', 'cherry')
(1, 5, 7, 9, 3)
(True, False, False)
Tuple Items - Data Types (C0ntinue): A tuple can contain different data types
Example:
tuple1 = ("abc", 34, True, 40, "male")
print(tuple1)

Output:
('abc', 34, True, 40, 'male')
type(): From Python's perspective, tuples are defined as objects with the data type 'tuple'
<class 'tuple'>

Example:
mytuple = ("apple", "banana", "cherry")
print(type(mytuple))

Output:
<class 'tuple'>
The tuple() Constructor: It is also possible to use the tuple() constructor to make a tuple.

Example:
thistuple = tuple(("apple", "banana", "cherry")) # note the double round-brackets
print(thistuple)

Output:
('apple', 'banana', 'cherry')
Access Tuple Items: You can access tuple items by referring to the index number, inside square brackets
Example:
thistuple = ("apple", "banana", "cherry")
print(thistuple[1])

Output:
banana
--------------------------------------------------------------------------------------
--------------------------------------------------------------------------------------
Negative Indexing: Negative indexing means start from the end. -1 refers to the last item, -2 refers to the
second last item etc.
Example:
thistuple = ("apple", "banana", "cherry")
print(thistuple[-1])

Output:
cherry
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 tuple with the specified items.

Example:
thistuple = ("apple", "banana", "cherry", "orange", "kiwi", "melon", "mango")
print(thistuple[2:5])

Output:
('cherry', 'orange', 'kiwi')
Note: The search will start at index 2 (included) and end at index 5 (not included).
------------------------------------------------------------------------------------------------------------------------------------------
Example:
thistuple = ("apple", "banana", "cherry", "orange", "kiwi", "melon", "mango")
print(thistuple[:4])

Output:
('apple', 'banana', 'cherry', 'orange')
Guess the output:
Example:
thistuple = ("apple", "banana", "cherry", "orange", "kiwi", "melon", "mango")
print(thistuple[2:])
Output:

?
--------------------------------------------------------------------------------------
Range of Negative Indexes: Specify negative indexes if you want to start the search from the end of the
tuple
Example:
thistuple = ("apple", "banana", "cherry", "orange", "kiwi", "melon", "mango")
print(thistuple[-4:-1])
Output:
('orange', 'kiwi', 'melon')
Change Tuple Values: Once a tuple is created, you cannot change its values - unchangeable
or immutable.
But there is a workaround. You can convert the tuple into a list, change the list, and convert the list
back into a tuple.

Example:
x = ("apple", "banana", "cherry")
y = list(x)
y[1] = "kiwi"
x = tuple(y)
print(x)
Output:
("apple", "kiwi", "cherry")
Add Items:
Since tuples are immutable, they do not have a build-in append() method, but there are other ways to add
items to a tuple.

1. Convert into a list: Just like the workaround for changing a tuple, you can convert it into a list, add your
item(s), and convert it back into a tuple.
Example:
thistuple = ("apple", "banana", "cherry")
y = list(thistuple)
y.append("orange")
thistuple = tuple(y)
Output:
('apple', 'banana', 'cherry', 'orange')
Add Items(continue):

2. Add tuple to a tuple: You are allowed to add tuples to tuples, so if you want to add one item, (or many),
create a new tuple with the item(s), and add it to the existing tuple
Example:
thistuple = ("apple", "banana", "cherry")
y = ("orange",)
thistuple += y
print(thistuple)
Output:
('apple', 'banana', 'cherry', 'orange')
Remove Items: Tuples are unchangeable, so you cannot remove items from it, but you can use the same
workaround as we used for changing and adding tuple items

Example:
thistuple = ("apple", "banana", "cherry")
y = list(thistuple)
y.remove("apple")
thistuple = tuple(y)
Output:
('banana', 'cherry')
-------------------------------------------------------------------------------------
Example:
thistuple = ("apple", "banana", "cherry")
del thistuple
print(thistuple) #this will raise an error because the tuple no longer exists
Output:
NameError: name 'thistuple' is not defined
Unpacking a Tuple: When we create a tuple, we normally assign values to it. This is called "packing" a
tuple
Example:
fruits = ("apple", "banana", "cherry")
print(fruits)
Output:
('apple', 'banana', 'cherry')
-------------------------------------------------------------------------------------
But, in Python, we are also allowed to extract the values back into variables. This is called "unpacking":
Example:
fruits = ("apple", "banana", "cherry")
(green, yellow, red) = fruits
print(green)
print(yellow)
print(red)
Output:
apple
banana
cherry
Note: The number of variables must match the number of values in the tuple, if not, you must use an * asterisk to
Using Asterisk * : If the number of variables is less than the number of values, you can add an * to the
variable name and the values will be assigned to the variable as a list

Example:
fruits = ("apple", "banana", "cherry", "strawberry", "raspberry")
(green, yellow, *red) = fruits
print(green)
print(yellow)
print(red)

Output:
apple
banana
['cherry', 'strawberry', 'raspberry']
Using Asterisk * (continue):

Example:
fruits = ("apple", "mango", "papaya", "pineapple", "cherry")
(green, *tropic, red) = fruits
print(green)
print(tropic)
print(red)

Output:
apple
['mango', 'papaya', 'pineapple']
cherry
Loop Through a Tuple: You can loop through the tuple items by using a for loop

Example:
thistuple = ("apple", "banana", "cherry")
for x in thistuple:
print(x)

Output:
apple
banana
cherry

Note: We can also use while and do-while loop


Join Two Tuples: To join two or more tuples you can use the + operator
Example:
tuple1 = ("a", "b" , "c")
tuple2 = (1, 2, 3)
tuple3 = tuple1 + tuple2
print(tuple3)
Output:
('a', 'b', 'c', 1, 2, 3)
-------------------------------------------------------------------------------------
Multiply Tuples: If you want to multiply the content of a tuple a given number of times, you can use the *
operator
Example:
fruits = ("apple", "banana", "cherry")
mytuple = fruits * 2
print(mytuple)
Output:
('apple', 'banana', 'cherry', 'apple', 'banana', 'cherry')
Tuples and Functions:
▪ The utility functions like max(), min(), sum(), len() etc. can be used on tuples. Hence most of the
operations will be easy without the usage of loops.

Example:
>>> tu=(3,12,5,26, 32,1,4)
>>> max(tu)
32
>>> min(tu)
1
>>> sum(tu)
83
>>> len(tu)
7
>>> avg=sum(tu)/len(tu)
>>> print(avg)
11.857142857142858
Sort Function:
▪ sort( ) is used to sort elements/items of a tuple.

Example:
>>> tuple1 = (33, 22, 11)
>>> tuple1.sort()
Traceback (most recent call last):

AttributeError:
'tuple' object has no attribute 'sort'
>>> tuple1 = sorted(tuple1)
>>> tuple1
[11, 22, 33]
Utility of tuples:
Some functions are return multiple values. At that time also we can use tuples to
hold those values

Example:
Quo, rem= divmod(100,3)
print(“Quotient: ”, quo)
print(“Remainder: ”, rem)

Output:
Quotient: 33
Remainder: 1
Tuples for returning multiple values:
Tuples can be returned from functions just like any other data type in Python.
To return a tuple from a function, we simply need to separate the values with
commas.
Example:
def calculate_average(numbers):
total = sum(numbers)
count = len(numbers)
average = total / count
return total, count, average

result = calculate_average([1, 2, 3, 4, 5])


print(result)

Guess the output?


Tuples for returning multiple values:
Tuples can be returned from functions just like any other data type in Python.
To return a tuple from a function, we simply need to separate the values with
commas.
Example:
def calculate_average(numbers):
total = sum(numbers)
count = len(numbers)
average = total / count
return total, count, average

result = calculate_average([1, 2, 3, 4, 5])


print(result)

it returns a tuple “(15, 5, 3.0)”


For loop through tuples:
we can loop through the tuple items by using a for loop
Iterate through the items and print the values
Example:
Output:
thistuple = ("apple", "banana", "cherry")
apple
for x in thistuple:
banana
print(x)
cherry
nested tuples:
a tuple written inside another tuple is known as a nested tuple.
tup = ( 10, 40, 50, 60, (100, 200, 300))
print('Nested tuple : ', tup[4])
print('Nested tuple element : ',tup[4][1])
Output:
Nested tuple: (100, 200, 300)
Nested tuple element : 200
Zip() function:
zip() function is a built-in function that is used to combine two or more
iterables into a single iterable.
This function takes in any number of iterables (lists, tuples, sets, etc.) as
arguments and returns an iterator that aggregates elements from each of the
iterables into tuples.
Example:
numList = [4,5, 6]
strList = ['four', 'five', 'six']
result = set(zip(numList, strList))
print(resultSet)

Output:
{ (5, 'five'), (4, 'four'), (6, 'six') }
SETS
Sets:
▪ A set is an unordered collection of items. Every element is unique and must be
immutable.
▪ However, the set itself is mutable. We can add or remove items from it.
▪ A set is created by placing all the elements inside curly braces {}, separated by
comma or by using the built-in function set(). The elements can be of different
types (integer, float, tuple, string etc.).

{1,2,3,4}

{class, ‘dict’}

{class, ‘set’}
Sets are unordered: do not supporting indexing
>>> {1, 2, 3, 4, 5, 6, 7}
{1, 2, 3, 4, 5, 6, 7}
>>> {11, 22, 33}
{33, 11, 22}
--------------------------------------------------------------------------
Sets do not supporting indexing

>>> myset = {'Apples', 'Bananas', 'Oranges'}


>>> myset
{'Bananas', 'Oranges', 'Apples'}
>>> myset[0]
Traceback (most recent call last):
File "<pyshell#2>", line 1, in <module>
myset[0]
TypeError: 'set' object does not support indexing
Although we can do iteration over sets:
# iterates over items in arbitrary order
for item in myset:

But we cannot index into a set to access a specific element.
-------------------------------------------------------------------------------------
Example:
Set operations: like union, intersection, symmetric difference etc.
odd = {1, 3, 5}
prime = {2, 3, 5}
• membership ∈ Python: in 4 in prime ⇒ False
• union ∪ Python: | odd | prime ⇒ {1, 2, 3, 5}
• intersection ∩ Python: & odd & prime ⇒ {3, 5}
• difference \ or - Python: - odd – prime ⇒ {1}
------------------------------------------------------------------------------------
Guess the output:
z = {5, 6, 7, 8}
y = {1, 2, 3, 1, 5}
k = z & y
j = z | y
m = y – z
n = z – y
print(z,y,k,j,m,n,sep=“\n”)
Modify a Set: We cannot access or change an element of set using indexing or slicing.
• Add one element to a set:
myset.add(newelt)
myset = myset | {newelt}
• Update multiple elements to the set
myset.update((elt1, elt2, elt3))
• Remove one element from a set:
myset.remove(elt) # elt must be in myset or raises error
myset.discard(elt) # never errors
myset = myset - {elt}
What would this do?
myset = myset – elt .clear() will remove all the elements
• Remove and return an arbitrary element from a set:
myset.pop()
Note: add, remove and discard all return None
Exercise:

z = {5, 6, 7, 8}
y = {1, 2, 3, 1, 5}
p = z # p is Alias for z
q = set(z) # Makes a copy of set z
print(z,y,p,q)

z.add(9)
q = q | {35}
print(z,q)

z.discard(7)
q = q – {6, 1, 8}
print(z,q)
Methods on Sets:
▪ isdisjoint() – This method will return True if two set have a null intersection
▪ issubset() – This method reports whether another set contains this set
▪ issuperset() – This method will report whether this set contains another set
Difference between a Set and a list:
DICTIONARY
Dictionary:
▪ Dictionaries are collection of Key-Value pair. Key and values are separated by a
colon. Paris of entries are separated by commas
▪ Keys can be any immutable type and unique within the dictionary. Values can
be any type.
▪ Python’s dictionaries are also known as hash tables and associative arrays

Creating & accessing dictionaries


>>> d = {‘user’:‘bozo’, ‘pswd’:1234}
>>> d[‘user’]
‘bozo’
>>> d[‘pswd’]
123
>>> d[‘bozo’]
Traceback (innermost last):
File ‘<interactive input>’ line 1, in ?
KeyError: bozo
Updating item value in Dictionary:
▪ Dictionaries store a mapping between a set of keys and a set of values
>>> d = {‘user’:‘bozo’, ‘pswd’:1234}
>>> d[‘user’] = ‘clown’
>>> d
{‘user’:‘clown’, ‘pswd’:1234}
▪ Keys must be unique

Adding item to Dictionary:


▪ Assigning to an existing key replaces its value
>>> d[‘id’] = 45 Or >>>d.update({‘id’:45}) #Updating with another
dictionary
>>> d
{‘user’:‘clown’, ‘id’:45, ‘pswd’:1234}
▪ Dictionaries are unordered
▪ New entries can appear anywhere in output
▪ Dictionaries work by hashing
Updating dictionary to another Dictionary:
▪ Assigning to an existing key replaces its value
>>>d.update({‘id’:45}) #Updating with another dictionary
>>> d
{‘user’:‘clown’, ‘id’:45, ‘pswd’:1234}
----------------------------------------------------------------------------------------------------------------------------------------------
Creating Dictionary with another sequence:
dict.fromkeys(seq, value=None):
• Creates a new dictionary with keys from the specified sequence (e.g., a list, tuple, or set) and values set to the
specified value.
• If the value parameter is not specified, it defaults to None.
>>>keys = {'a','e','i','o','u'}
>>>value = [1]
>>>vowels = dict.fromkeys(keys, value)
>>>print(vowels)
>>>value.append(2)
>>>print(vowels)
Output:
{'a':[1],'u':[1],'o':[1],'e':[1],'i':[1]}
{'a':[1,2],'u':[1,2],'o':[1,2],'e':[1,2],'i':[1,2]}
Removing item from the Dictionary:
>>> d = {‘user’:‘bozo’, ‘p’:1234, ‘i’:34}
>>> del d[‘user’] # Remove one.
>>> d
{‘p’:1234, ‘i’:34}
>>> d.clear() # Remove all.
>>> d
{}
>>> a=[1,2]
>>> del a[1] # del works on lists, too
>>> a
[1]
Removing item from the Dictionary:
dict.pop(key, default=None):
• Removes the key-value pair with the specified key from the dictionary and returns the value.
• If the key is not found and the default is not specified, a KeyError is raised.

>>>car = {
"brand": "Ford",
"model": "Mustang",
"year": 1964
}
>>>car.pop("model")
>>>print(car)

Output:
{'brand': 'Ford', 'year': 1964}
Removing item from the Dictionary:
dict.popitem():
• Removes and returns an arbitrary key-value pair from the dictionary. (last inserted item)
• If the dictionary is empty, a KeyError is raised.

>>>d = {1:'one', 2:'two', 3:'three'}


>>>d[4] = 'four'
>>>d_item = d.popitem()
>>>print(d_item)
>>>print(d)

Output:
(4, 'four')
{1: 'one', 2: 'two', 3: 'three'}
Useful Accessor’s in Dictionary:

>>> d = {‘user’:‘bozo’, ‘p’:1234, ‘i’:34}

>>> d.keys() # List of keys, VERY useful


[‘user’, ‘p’, ‘i’]

>>> d.values() # List of values


[‘bozo’, 1234, 34]

>>> d.items() # List of item tuples


[(‘user’,‘bozo’), (‘p’,1234), (‘i’,34)]
Difference between a list and a Dictionary:
Parameter List Dictionary
An unordered collection of data in a key: value pair
Definition An ordered collection of items.
form.
Syntax Uses square brackets []. Uses curly braces {}.
Ordered: Items have a defined
Ordering Unordered: Items do not have a defined order.
order, which will not change.
Indexing Accessed by index, starting from 0. Values are accessed using keys.
Mutable: Items can be modified Mutable: Values can be updated, and key: value
Mutability
after creation. pairs can be added or removed.
Does not allow duplicate keys. However, values
Uniqueness Allows duplicate items.
can be duplicated.
Keys can be of any immutable data type (e.g.,
Data Types It can store any data type. strings, numbers, tuples). Values can be of any
type.
When order matters or when you
When you need a unique key for each piece of
Use Case need to store multiple values for an
data.
item.
Example fruits = [“apple”, “banana”, “cherry”] person = {“name”: “John”, “age”: 30}
Exercise:

1. What happens if you try to access a key that doesn’t exist in a dictionary?
2. Can dictionaries in Python contain mutable objects as keys?
3. What is the difference between dict.pop( ) and dict.popitem( )?
List v/s Tuple v/s Set v/s Dictionary:

You might also like