KEMBAR78
Chapter 3-Data structure in python programming.pptx
1
CHAPTER 3
Data Structures in Python
2
List
 Lists are just like dynamic sized arrays, declared in other languages (vector in C++
and ArrayList in Java).
 Lists need not be homogeneous always which makes it a most powerful tool in Python.
A single list may contain DataTypes like Integers, Strings, as well as Objects.
 Lists are mutable, and hence, they can be altered even after their
 List in Python are ordered and have a definite count. The elements in a list are indexed
according to a definite sequence and the indexing of a list is done with 0 being the first
index.
 Each element in the list has its definite place in the list, which allows duplicating of
elements in the list, with each element having its own distinct place and credibility.
-
3
Creating a List
Lists in Python can be created by just placing the sequence inside the square brackets[].
list doesn’t need a built-in function for creation of list.
# Creating a List
List = []
print("Blank List: ")
print(List)
# Creating a List of numbers
List = [10, 20, 14]
print("nList of numbers: ")
print(List)
Output
Blank List:
[]
List of numbers:
[10, 20, 14]
4
AccessingValues in Lists
To access values in lists, use the square brackets for slicing along with the index or
indices to obtain value available at that index. For example −
#!/usr/bin/python3
list1 = ['physics', 'chemistry', 1997, 2000]
list2 = [1, 2, 3, 4, 5, 6, 7 ]
print ("list1[0]: ", list1[0])
print ("list2[1:5]: ", list2[1:5])
5
# Creating a List of strings and numbers and
accessing
# using index
List = ["a", "10", "12.7"]
print("nList Items: ")
print(List[0])
print(List[2])
# Creating a Multi-Dimensional List
# (By Nesting a list inside a List)
List = [['a', 'a'] , ['55']]
print("nMulti-Dimensional List: ")
print(List)
Output:
List Items:
a
12.7
Multi-Dimensional List:
[['a', 'a'], ['55']]
6
thislist = ["apple", "banana", "cherry"]
for x in thislist:
print(x)
Print list element by using for loop
thislist = ["apple", "banana", "cherry"]
i = 0
while i < len(thislist):
print(thislist[i])
i = i + 1
Print list element by using while loop
Output
['apple', 'banana', 'cherry']
Output
['apple', 'banana', 'cherry']
7
Updating Lists
You can update single or multiple elements of lists by giving the slice on the left-hand
side of the assignment operator, and you can add to elements in a list with the append()
method. For example −
#!/usr/bin/python3
list = ['physics', 'chemistry', 1997, 2000]
print ("Value available at index 2 : ", list[2])
list[2] = 2001
print ("New value available at index 2 : ", list[2])
8
Delete List Elements
To remove a list element, you can use either the del statement if you know exactly which
element(s) you are deleting. You can use the remove() method if you do not know
exactly which items to delete. For example −
#!/usr/bin/python3
list = ['physics', 'chemistry', 1997, 2000]
print (list)
del list[2]
print ("After deleting value at index 2 : ", list)
9
Using the append() method to append an item:
thislist = ["apple", "banana", "cherry"]
thislist.append("orange")
print(thislist)
The insert() method inserts an item at the specified index:
thislist = ["apple", "banana", "cherry"]
thislist.insert(1, "orange")
print(thislist)
Output
['apple', 'banana', 'cherry', 'orange']
Output
['apple', 'orange', 'banana', 'cherry']
10
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
11
A tuple is a collection of objects which ordered and immutable. Tuples are sequences, just
like lists. The differences between tuples and lists are, the tuples cannot be changed unlike
lists and tuples use parentheses, whereas lists use square brackets. Allow Duplicates.
Tuple
Creating a tuple is as simple as putting different comma-separated values. Optionally you
can put these comma-separated values between parentheses also. For example −
tup1 = ('physics', 'chemistry', 1997, 2000)
print(tup1)
tup2 = (1, 2, 3, 4, 5 )
print(tup2)
tup3 = "a", "b", "c", "d"
print(tup3)
Output
('physics', 'chemistry', 1997, 2000)
(1, 2, 3, 4, 5)
('a', 'b', 'c', 'd')
12
Updating Tuples
Tuples are immutable which means you cannot update or change the values of tuple
elements. You are able to take portions of existing tuples to create new tuples as the
following example demonstrates −
tup1 = (12, 34.56)
tup2 = ('abc', 'xyz')
# Following action is not valid for tuples
# tup1[0] = 100;
# So let's create a new tuple as follows
tup3 = tup1 + tup2
print(tup3)
Output
(12, 34.56, 'abc', 'xyz')
13
Delete Tuple Elements
Removing individual tuple elements is not possible. There is, of course, nothing wrong
with putting together another tuple with the undesired elements discarded.
To explicitly remove an entire tuple, just use the del statement. For example −
tup = ('physics', 'chemistry', 1997, 2000)
print(tup)
del tup
print("After deleting tup : ")
#print(tup) Error
14
Sr.
No.
Function with Description
1 cmp(tuple1,tuple2):Compares elements of both tuples.
2 len(tuple): Gives the total length of the tuple.
3 max(tuple): Returns item from the tuple with max value.
4 min(tuple): Returns item from the tuple with min value.
5 tuple(seq): Converts a list into tuple.
15
Dictionary
 Each key is separated from its value by a colon (:), the items are separated by
commas, and the whole thing is enclosed in curly braces. An empty dictionary without
any items is written with just two curly braces, like this: {}.
 Dictionary items are ordered, changeable, and does not allow duplicates.
 Dictionaries are changeable, meaning that we can change, add or remove items after
the dictionary has been created.
 Keys are unique within a dictionary while values may not be. The values of a
dictionary can be of any type, but the keys must be of an immutable data type such
as strings, numbers, or tuples.
 Duplicates Not Allowed: Dictionaries cannot have two items with the same key
16
dict={}
print(dict)
dict = {'Name': 'Zara', 'Age': 7, 'Class': 'First'}
print(dict)
Create:
Output
{}
{'Name': 'Zara', 'Age': 7, 'Class': 'First'}
Accessing Elements from Dictionary
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() function return None if the key is not found.
17
# get vs [] for retrieving elements
my_dict = {'name': 'Jack', 'age': 26}
# Output: Jack
print(my_dict['name'])
# Output: 26
print(my_dict.get('age'))
# Trying to access keys which doesn't exist throws error
# Output None
print(my_dict.get('address'))
# KeyError
print(my_dict['address'])
18
Changing and Adding Dictionary elements
Dictionaries are mutable. We can add new items or change the value of existing items using
an assignment operator
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.
# Changing and adding Dictionary Elements
my_dict = {'name': 'Jack', 'age': 26}
# update value
my_dict['age'] = 27
#Output: {'age': 27, 'name': 'Jack'}
print(my_dict)
# add item
my_dict['address'] = 'Downtown'
# Output: {'address': 'Downtown', 'age': 27, 'name': 'Jack'}
print(my_dict)
19
Removing elements from Dictionary
We can remove a particular item in a dictionary by using the pop() method This method
removes an item with the provided key and returns the value.
The popitem() method can be used to remove and return an arbitrary (key,value) item pair
from the dictionary. All the items can be removed at once, using the clear()
We can also use the del keyword to remove individual items or the entire dictionary itself.
20
# Removing elements from a dictionary
# create a dictionary
squares = {1: 1, 2: 4, 3: 9, 4: 16, 5: 25}
# remove a particular item, returns its value
# Output: 16
print(squares.pop(4))
# Output: {1: 1, 2: 4, 3: 9, 5: 25}
print(squares)
# remove an arbitrary item, return (key,value)
# Output: (5, 25)
print(squares.popitem())
# Output: {1: 1, 2: 4, 3: 9}
print(squares)
# remove all items
squares.clear()
# Output: {}
print(squares)
# delete the dictionary itself
del squares
# Throws Error
print(squares)
21
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
22
Set
• Mathematically a set is a collection of items not in any particular order.A Python set
is similar to this mathematical definition with below additional conditions.
• The elements in the set cannot be duplicates.
• The elements in the set are immutable(cannot be modified) but the set as a whole is
mutable.
• There is no index attached to any element in a python set. So they do not support
any indexing or slicing operation.
23
Creating a set
• A set is created by using the set() function or placing all the
elements within a pair of curly braces.
Days=set(["Mon","Tue","Wed","Thu","Fri","Sat","Sun"])
Months={"Jan","Feb","Mar"}
Dates={21,22,17} print(Days)
print(Months)
print(Dates)
24
AccessingValues in a Set
• We cannot access individual values in a set.We can only access all the
elements together as shown above.
• But we can also get a list of individual elements by looping through
the set.
Days=set(["Mon","Tue","Wed","Thu","Fri","Sat","Sun"])
for d in Days:
print(d)
25
Adding Items to a Set
• We can add elements to a set by using add() method.Again as
discussed there is no specific index attached to the newly added
element.
Days=set(["Mon","Tue","Wed","Thu","Fri","Sat"])
Days.add("Sun")
print(Days)
26
Removing Item from a Set
• We can remove elements from a set by using discard() method. Again as discussed
there is no specific index attached to the newly added element.
Days=set(["Mon","Tue","Wed","Thu","Fri","Sat"])
Days.discard("Sun")
print(Days)
27
Union of Sets
• The union operation on two sets produces a new set containing all the distinct
elements from both the sets. In the below example the element “Wed” is present in
both the sets.
DaysA = set(["Mon","Tue","Wed"])
DaysB = set(["Wed","Thu","Fri","Sat","Sun"])
AllDays = DaysA|DaysB
print(AllDays)
28
Intersection of Sets
• The intersection operation on two sets produces a new set containing only the
common elements from both the sets. In the below example the element “Wed” is
present in both the sets.
DaysA = set(["Mon","Tue","Wed"])
DaysB = set(["Wed","Thu","Fri","Sat","Sun"])
AllDays = DaysA & DaysB
print(AllDays)
29
Difference of Sets
• The difference operation on two sets produces a new set containing only the
elements from the first set and none from the second set. In the below example the
element “Wed” is present in both the sets so it will not be found in the result set.
DaysA = set(["Mon","Tue","Wed"])
DaysB = set(["Wed","Thu","Fri","Sat","Sun"])
AllDays = DaysA - DaysB
print(AllDays)
30
Compare Sets
• We can check if a given set is a subset or superset of another set.The result is True or
False depending on the elements present in the sets.
DaysA= set(["Mon","Tue","Wed"])
DaysB = set(["Mon","Tue","Wed","Thu","Fri","Sat","Sun"])
SubsetRes = DaysA <= DaysB
SupersetRes = DaysB >= DaysA
print(SubsetRes)
print(SupersetRes)
Chapter 3-Data structure in python programming.pptx

Chapter 3-Data structure in python programming.pptx

  • 1.
  • 2.
    2 List  Lists arejust like dynamic sized arrays, declared in other languages (vector in C++ and ArrayList in Java).  Lists need not be homogeneous always which makes it a most powerful tool in Python. A single list may contain DataTypes like Integers, Strings, as well as Objects.  Lists are mutable, and hence, they can be altered even after their  List in Python are ordered and have a definite count. The elements in a list are indexed according to a definite sequence and the indexing of a list is done with 0 being the first index.  Each element in the list has its definite place in the list, which allows duplicating of elements in the list, with each element having its own distinct place and credibility. -
  • 3.
    3 Creating a List Listsin Python can be created by just placing the sequence inside the square brackets[]. list doesn’t need a built-in function for creation of list. # Creating a List List = [] print("Blank List: ") print(List) # Creating a List of numbers List = [10, 20, 14] print("nList of numbers: ") print(List) Output Blank List: [] List of numbers: [10, 20, 14]
  • 4.
    4 AccessingValues in Lists Toaccess values in lists, use the square brackets for slicing along with the index or indices to obtain value available at that index. For example − #!/usr/bin/python3 list1 = ['physics', 'chemistry', 1997, 2000] list2 = [1, 2, 3, 4, 5, 6, 7 ] print ("list1[0]: ", list1[0]) print ("list2[1:5]: ", list2[1:5])
  • 5.
    5 # Creating aList of strings and numbers and accessing # using index List = ["a", "10", "12.7"] print("nList Items: ") print(List[0]) print(List[2]) # Creating a Multi-Dimensional List # (By Nesting a list inside a List) List = [['a', 'a'] , ['55']] print("nMulti-Dimensional List: ") print(List) Output: List Items: a 12.7 Multi-Dimensional List: [['a', 'a'], ['55']]
  • 6.
    6 thislist = ["apple","banana", "cherry"] for x in thislist: print(x) Print list element by using for loop thislist = ["apple", "banana", "cherry"] i = 0 while i < len(thislist): print(thislist[i]) i = i + 1 Print list element by using while loop Output ['apple', 'banana', 'cherry'] Output ['apple', 'banana', 'cherry']
  • 7.
    7 Updating Lists You canupdate single or multiple elements of lists by giving the slice on the left-hand side of the assignment operator, and you can add to elements in a list with the append() method. For example − #!/usr/bin/python3 list = ['physics', 'chemistry', 1997, 2000] print ("Value available at index 2 : ", list[2]) list[2] = 2001 print ("New value available at index 2 : ", list[2])
  • 8.
    8 Delete List Elements Toremove a list element, you can use either the del statement if you know exactly which element(s) you are deleting. You can use the remove() method if you do not know exactly which items to delete. For example − #!/usr/bin/python3 list = ['physics', 'chemistry', 1997, 2000] print (list) del list[2] print ("After deleting value at index 2 : ", list)
  • 9.
    9 Using the append()method to append an item: thislist = ["apple", "banana", "cherry"] thislist.append("orange") print(thislist) The insert() method inserts an item at the specified index: thislist = ["apple", "banana", "cherry"] thislist.insert(1, "orange") print(thislist) Output ['apple', 'banana', 'cherry', 'orange'] Output ['apple', 'orange', 'banana', 'cherry']
  • 10.
    10 Method Description append() Addsan 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
  • 11.
    11 A tuple isa collection of objects which ordered and immutable. Tuples are sequences, just like lists. The differences between tuples and lists are, the tuples cannot be changed unlike lists and tuples use parentheses, whereas lists use square brackets. Allow Duplicates. Tuple Creating a tuple is as simple as putting different comma-separated values. Optionally you can put these comma-separated values between parentheses also. For example − tup1 = ('physics', 'chemistry', 1997, 2000) print(tup1) tup2 = (1, 2, 3, 4, 5 ) print(tup2) tup3 = "a", "b", "c", "d" print(tup3) Output ('physics', 'chemistry', 1997, 2000) (1, 2, 3, 4, 5) ('a', 'b', 'c', 'd')
  • 12.
    12 Updating Tuples Tuples areimmutable which means you cannot update or change the values of tuple elements. You are able to take portions of existing tuples to create new tuples as the following example demonstrates − tup1 = (12, 34.56) tup2 = ('abc', 'xyz') # Following action is not valid for tuples # tup1[0] = 100; # So let's create a new tuple as follows tup3 = tup1 + tup2 print(tup3) Output (12, 34.56, 'abc', 'xyz')
  • 13.
    13 Delete Tuple Elements Removingindividual tuple elements is not possible. There is, of course, nothing wrong with putting together another tuple with the undesired elements discarded. To explicitly remove an entire tuple, just use the del statement. For example − tup = ('physics', 'chemistry', 1997, 2000) print(tup) del tup print("After deleting tup : ") #print(tup) Error
  • 14.
    14 Sr. No. Function with Description 1cmp(tuple1,tuple2):Compares elements of both tuples. 2 len(tuple): Gives the total length of the tuple. 3 max(tuple): Returns item from the tuple with max value. 4 min(tuple): Returns item from the tuple with min value. 5 tuple(seq): Converts a list into tuple.
  • 15.
    15 Dictionary  Each keyis separated from its value by a colon (:), the items are separated by commas, and the whole thing is enclosed in curly braces. An empty dictionary without any items is written with just two curly braces, like this: {}.  Dictionary items are ordered, changeable, and does not allow duplicates.  Dictionaries are changeable, meaning that we can change, add or remove items after the dictionary has been created.  Keys are unique within a dictionary while values may not be. The values of a dictionary can be of any type, but the keys must be of an immutable data type such as strings, numbers, or tuples.  Duplicates Not Allowed: Dictionaries cannot have two items with the same key
  • 16.
    16 dict={} print(dict) dict = {'Name':'Zara', 'Age': 7, 'Class': 'First'} print(dict) Create: Output {} {'Name': 'Zara', 'Age': 7, 'Class': 'First'} Accessing Elements from Dictionary 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() function return None if the key is not found.
  • 17.
    17 # get vs[] for retrieving elements my_dict = {'name': 'Jack', 'age': 26} # Output: Jack print(my_dict['name']) # Output: 26 print(my_dict.get('age')) # Trying to access keys which doesn't exist throws error # Output None print(my_dict.get('address')) # KeyError print(my_dict['address'])
  • 18.
    18 Changing and AddingDictionary elements Dictionaries are mutable. We can add new items or change the value of existing items using an assignment operator 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. # Changing and adding Dictionary Elements my_dict = {'name': 'Jack', 'age': 26} # update value my_dict['age'] = 27 #Output: {'age': 27, 'name': 'Jack'} print(my_dict) # add item my_dict['address'] = 'Downtown' # Output: {'address': 'Downtown', 'age': 27, 'name': 'Jack'} print(my_dict)
  • 19.
    19 Removing elements fromDictionary We can remove a particular item in a dictionary by using the pop() method This method removes an item with the provided key and returns the value. The popitem() method can be used to remove and return an arbitrary (key,value) item pair from the dictionary. All the items can be removed at once, using the clear() We can also use the del keyword to remove individual items or the entire dictionary itself.
  • 20.
    20 # Removing elementsfrom a dictionary # create a dictionary squares = {1: 1, 2: 4, 3: 9, 4: 16, 5: 25} # remove a particular item, returns its value # Output: 16 print(squares.pop(4)) # Output: {1: 1, 2: 4, 3: 9, 5: 25} print(squares) # remove an arbitrary item, return (key,value) # Output: (5, 25) print(squares.popitem()) # Output: {1: 1, 2: 4, 3: 9} print(squares) # remove all items squares.clear() # Output: {} print(squares) # delete the dictionary itself del squares # Throws Error print(squares)
  • 21.
    21 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
  • 22.
    22 Set • Mathematically aset is a collection of items not in any particular order.A Python set is similar to this mathematical definition with below additional conditions. • The elements in the set cannot be duplicates. • The elements in the set are immutable(cannot be modified) but the set as a whole is mutable. • There is no index attached to any element in a python set. So they do not support any indexing or slicing operation.
  • 23.
    23 Creating a set •A set is created by using the set() function or placing all the elements within a pair of curly braces. Days=set(["Mon","Tue","Wed","Thu","Fri","Sat","Sun"]) Months={"Jan","Feb","Mar"} Dates={21,22,17} print(Days) print(Months) print(Dates)
  • 24.
    24 AccessingValues in aSet • We cannot access individual values in a set.We can only access all the elements together as shown above. • But we can also get a list of individual elements by looping through the set. Days=set(["Mon","Tue","Wed","Thu","Fri","Sat","Sun"]) for d in Days: print(d)
  • 25.
    25 Adding Items toa Set • We can add elements to a set by using add() method.Again as discussed there is no specific index attached to the newly added element. Days=set(["Mon","Tue","Wed","Thu","Fri","Sat"]) Days.add("Sun") print(Days)
  • 26.
    26 Removing Item froma Set • We can remove elements from a set by using discard() method. Again as discussed there is no specific index attached to the newly added element. Days=set(["Mon","Tue","Wed","Thu","Fri","Sat"]) Days.discard("Sun") print(Days)
  • 27.
    27 Union of Sets •The union operation on two sets produces a new set containing all the distinct elements from both the sets. In the below example the element “Wed” is present in both the sets. DaysA = set(["Mon","Tue","Wed"]) DaysB = set(["Wed","Thu","Fri","Sat","Sun"]) AllDays = DaysA|DaysB print(AllDays)
  • 28.
    28 Intersection of Sets •The intersection operation on two sets produces a new set containing only the common elements from both the sets. In the below example the element “Wed” is present in both the sets. DaysA = set(["Mon","Tue","Wed"]) DaysB = set(["Wed","Thu","Fri","Sat","Sun"]) AllDays = DaysA & DaysB print(AllDays)
  • 29.
    29 Difference of Sets •The difference operation on two sets produces a new set containing only the elements from the first set and none from the second set. In the below example the element “Wed” is present in both the sets so it will not be found in the result set. DaysA = set(["Mon","Tue","Wed"]) DaysB = set(["Wed","Thu","Fri","Sat","Sun"]) AllDays = DaysA - DaysB print(AllDays)
  • 30.
    30 Compare Sets • Wecan check if a given set is a subset or superset of another set.The result is True or False depending on the elements present in the sets. DaysA= set(["Mon","Tue","Wed"]) DaysB = set(["Mon","Tue","Wed","Thu","Fri","Sat","Sun"]) SubsetRes = DaysA <= DaysB SupersetRes = DaysB >= DaysA print(SubsetRes) print(SupersetRes)