KEMBAR78
Python List and Tuple Guide | PDF | Summation | Bracket
0% found this document useful (0 votes)
39 views45 pages

Python List and Tuple Guide

Uploaded by

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

Python List and Tuple Guide

Uploaded by

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

SUBJECT: Problem Solving using Python

Module-4:Data Structures in Python (List


and Tuple):
4 Data Structures in Python 10 CO4
(List and Tuple):
List: Creating a List,
Characteristics of Lists, List
indexing and splitting, Python
List Operations, iterating a List,
adding elements to the list,
Removing elements from the
list, Python List Built-in
functions. Sample Programs.
Tuple: Creating a tuple, Tuple
indexing and slicing, Negative
Indexing, Deleting Tuple, Basic
Tuple operations, Python Tuple
inbuilt functions, Sample
Programs, List vs. Tuple.
1. LISTS : A list is an ordered sequence of values. 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. The elements of lists are enclosed within square brackets.
For example,
ls1=[10,-4, 25, 13]
ls2=[“Tiger”, “Lion”, “Cheetah”]
Here, ls1 is a list containing four integers, and ls2 is a list containing three strings. A list need not
contain data of same type. We can have mixed type of elements in list. For example,
ls3=[3.5, ‘Tiger’, 10, [3,4]]
Here, ls3 contains a float, a string, an integer and a list. This illustrates that a list can be nested as well.
An empty list can be created any of the following ways –
>>> ls =[] ls=list()
>>> type(ls) or type(ls)
<class 'list’> <class ‘list’>
In fact, list() is the name of a method of the class list. Hence, a new list can be created using this function
by passing arguments to it as shown below.
>>> ls2=list([3,4,1])
>>> print(ls2)
[3, 4, 1]
2. Characteristics of Lists:
The list has following characteristics:
•The lists are ordered or sequenced:
•Each element of the list is accessed by index.
•The lists are mutable types.
•A list can store different types of elements.
3. Lists are Mutable :

The elements in the list can be accessed using a numeric index within square-brackets. It is similar to
extracting characters in a string.
>>> ls=[34, 'hi', [2,3],-5]
>>> print(ls[1])
hi
>>> print(ls[2])
[2, 3]

Observe here that, the inner list is treated as a single element by outer list. If we would like to access the elements
within inner list, we need to use double-indexing as shown below
>>> print(ls[2][0])
2
>>> print(ls[2][1])
3
Note that, the indexing for inner-list again starts from 0. Thus, when we are using double-indexing, the first index indicates position of
inner list inside outer list, and the second index means the position particular value within inner list.
Unlike strings, lists are mutable. That is, using indexing, we can modify any value within list. In the following example, the 3rd
element (i.e. index is 2) is being modified –
>>> ls=[34, 'hi', [2,3],-5]
>>> ls[2]='Hello'
>>> print(ls)
[34, 'hi', 'Hello', -5]
The list can be thought of as a relationship between indices and elements. This relationship is called as a mapping. That is, each index
maps to one of the elements in a list.
The index for extracting list elements has following properties –
Any integer expression can be an index.
>>> ls=[34, 'hi', [2,3],-5]
>>> print(ls[2*1])
'Hello'
Attempt to access a non-existing index will throw and IndexError.
>>> ls=[34, 'hi', [2,3],-5]
>>> print(ls[4])
IndexError: list index out of range
A negative indexing counts from backwards.
>>> ls=[34, 'hi', [2,3],-5]
>>> print(ls[-1])
-5
>>> print(ls[-3])
hi
The in operator applied on lists will results in a Boolean value.
>>> ls=[34, 'hi', [2,3],-5]
>>> 34 in ls
True
>>> -2 in ls
False
4. Traversing a List:
A list can be traversed using for loop. If we need to use each element in the list, we can use the for loop and in
operator as below:
>>> ls=[34, 'hi’, Hello,-5]
>>> for item in ls:
print(item)
34 hi Hello -5
List elements can be accessed with the combination of range() and len() functions as well –
ls=[1,2,3,4]
for i in range(len(ls)):
ls[i]=ls[i]**2
print(ls) #output is [1, 4, 9, 16]
Here, we wanted to do modification in the elements of list. Hence, referring indices is suitable than referring
elements directly. The len() returns total number of elements in the list (here it is 4). Then range() function makes the
loop to range from 0 to 3 (i.e. 4-1). Then, for every index, we are updating the list elements (replacing original value
by its square).
Traversing a List We can access each element of the list or traverse a list using a for loop or a while
loop.
List traversal using for loop:
>>> list1 = ['Red','Green','Blue','Yellow', 'Black’]
>>> for item in list1:
print(item)
Output: Red Green Blue Yellow Black
Another way of accessing the elements of the list is using range() and len() functions:
>>> for i in range(len(list1)):
print(list1[i])
Output: Red Green Blue Yellow Black
5. List Operations :
Python allows to use operators + and * on lists. The operator + uses two list objects and returns
concatenation of those two lists. Whereas * operator take one list object and one integer value, say n,
and returns a list by repeating itself for n times.
>>> ls1=[1,2,3]
>>> ls2=[5,6,7]
>>> print(ls1+ls2) #concatenation using + [1, 2, 3, 5, 6, 7]
>>> ls1=[1,2,3]
>>> print(ls1*3) #repetition using * [1, 2, 3, 1, 2, 3, 1, 2, 3]
>>> [0]*4 #repetition using * [0, 0, 0, 0]
5.1 List Indexing and Slicing:
List slicing is an operation that extracts a subset of elements from a list and packages
them as another list.
We can get a sublist from a list in Python using slicing operation.
Syntax:
Listname[start:stop]
Listname[start:stop:step]
Points to note:
• default start value is 0
• default stop value is n-1
• [:] will print the entire list
• [n:n] will create a empty slice
Reversing a list using negative value for stride –
>>> print(t[::-1])
['e', 'd', 'c', 'b', 'a']
Similar to strings, the slicing can be applied on lists as well. Consider a list t given below, and a series of examples
following based on this object.
t=['a','b','c','d','e']

Extracting full list without using any index, but only a slicing operator –
>>> print(t[:])
['a', 'b', 'c', 'd', 'e']
Extracting elements from2nd position –
>>> print(t[1:])
['b', 'c', 'd', 'e']
Extracting first three elements –
>>> print(t[:3]) ['a', 'b', 'c']
Selecting some middle elements –
>>> print(t[2:4]) ['c', 'd']
Using negative indexing –
>>> print(t[:-2])
['a', 'b', 'c’]
5.2 Lists Membership:
The membership operator in checks if the element is present in the list and returns True, else returns False.
>>> list1 = ['Red','Green','Blue’]
>>> 'Green' in list1
True
>>> 'Cyan' in list1
False
The Operator not in transpose returns True if the element is not present in the list, else it returns False.
>>> list1 = ['Red','Green','Blue’]
>>> 'Cyan' not in list1
True
>>> 'Green' not in list1
False
5.3 Repetition:
Python allows us to replicate the contents of a list using repetition operator depicted by symbol *.
>>> list1 = ['Hello'] #elements of list1 repeated 4 times
>>> list1 * 4 ['Hello', 'Hello', 'Hello', 'Hello']
Deleting Elements :
Elements can be deleted from a list in different ways. Python provides few built-in methods for removing elements as
given below –
pop(): This method deletes the last element in the list, by default.
>>> ls=[3,6,-2,8,10]
>>> x=ls.pop() #10 is removed from list and stored in x
>>> print(ls)
[3, 6, -2, 8]
>>> print(x)
10
When an element at a particular index position has to be deleted, then we can give that position as
argument to pop() function.
>>> t = ['a', 'b', 'c']
>>> x = t.pop(1) #item at index 1 is popped
>>> print(t) ['a', 'c']
>>> print(x)
b
Remove(): When we don’t know the index, but know the value to be removed, then this function can be used.
>>> ls=[5,8, -12,34,2]
>>> ls.remove(34)
>>> print(ls)
[5, 8, -12, 2]
Note that, this function will remove only the first occurrence of the specified value, but not all occurrences.
>>> ls=[5,8, -12, 34, 2, 6, 34]
>>> ls.remove(34)
>>> print(ls)
[5, 8, -12, 2, 6, 34]
Unlike pop() function, the remove() function will not return the value that has been deleted.
del: This is an operator to be used when more than one itemto be deleted at a time. Here also, we will not get
the items deleted.
>>> ls=[3,6,-2,8,1]
>>> del ls[2] #item at index 2 is deleted
>>> print(ls)
[3, 6, 8, 1]
ls=[3,6,-2,8,1]
>>> del ls[1:4] #deleting all elements from index 1 to 3
>>> print(ls) [3, 1]
Deleting all odd indexed elements of a list –
>>> t=[‘a’, ‘b’, ‘c’, ‘d’, ‘e’]
>>> del t[1::2]
>>> print(t)
['a', 'c', 'e']
List Methods and Built-in Functions:
The data type list has several built-in methods that are useful in programming. Some of them are listed in
1. len(): Returns the length of the list passed as the argument

>>> list1 = [10,20,30,40,50]

>>> len(list1)
5
2. list(): Creates an empty list if no argument is passed

>>> list1 = list()

>>> list1
[ ] Creates a list if a sequence is passed as an argument

>>> str1= 'aeiou’

>>> list1 = list(str1)

>>> list1 ['a', 'e', 'i', 'o', 'u’]


3. append() : Appends a single element passed as an argument at the end of the list A list can also be
appended as an element to an existing list
>>> list1 = [10,20,30,40]
>>> list1.append(50)
>>> list1
[10, 20, 30, 40, 50]
>>> list1 = [10,20,30,40]
>>> list1.append([50,60])
>>> list1
[10, 20, 30, 40, [50, 60]]
4.extend(): Appends each element of the list passed as argument at the end of the given list
>>> list1 = [10,20,30]
>>> list2 = [40,50]
>>> list1.extend(list2)
>>> list1
[10, 20, 30, 40, 50]
5.insert() : Inserts an element at a particular index in the list
>>> list1 = [10,20,30,40,50] #inserts element 25 at index value 2
>>> list1.insert(2,25)
>>> list1
[10, 20, 25, 30, 40, 50]
>>> list1.insert(0,100)
>>> list1
[100, 10, 20, 25, 30, 40, 50]
6.count() :Returns the number of times a given element appears in the list
>>> list1 = [10,20,30,10,40,10]
>>> list1.count(10)
3
>>> list1.count(90)
0
7. find() : Returns index of the first occurrence of the element in the list. If the element is not present, ValueError is
generated
>>> list1 = [10,20,30,20,40,10]
>>> list1.index(20)
1
>>> list1.index(90)
ValueError: 90 is not in list
8. remove() : Removes the given element from the list. If the element is present multiple times, only the first occurrence is
removed. If the element is not present, then Value Error is generated
>>> list1 = [10,20,30,40,50,30]
>>> list1.remove(30)
>>> list1
[10, 20, 40, 50, 30]
>>> list1.remove(90)
ValueError:list.remove(x):x not in list
9. pop() : Returns the element whose index is passed as argument to this function and also removes it from the list. If no argument is given, then it returns and removes the last element of the list
>>> list1 = [10,20,30,40,50,60]

>>> list1.pop(3)

40

>>> list1

[10, 20, 30, 50, 60]

>>> list1 = [10,20,30,40,50,60]

>>> list1.pop()

60

>>> list1

[10, 20, 30, 40, 50]

10. reverse() :Reverses the order of elements in the given list


>>> list1 = [34,66,12,89,28,99]
>>> list1.reverse()
>>> list1
[ 99, 28, 89, 12, 66, 34]
>>> list1 = [ 'Tiger' ,'Zebra' , 'Lion' , 'Cat' ,'Elephant' ,'Dog']
>>> list1.reverse()
>>> list1
['Dog', 'Elephant', 'Cat', 'Lion', 'Zebra', 'Tiger']
11. sort() : Sorts the elements of the given list in place
>>>list1 = ['Tiger','Zebra','Lion', 'Cat', 'Elephant' ,'Dog']
>>> list1.sort()
>>> list1
['Cat', 'Dog', 'Elephant', 'Lion', 'Tiger', 'Zebra']
>>> list1 = [34,66,12,89,28,99]
>>> list1.sort(reverse = True)
>>>list1
[99,89,66,34,28,12]

12. sorted() : It takes a list as parameter and creates a new list consisting of the same elements but arranged in ascending
order
>>>list1 = [23,45,11,67,85,56]
>>> list2 = sorted(list1)
>>> list1
[23, 45, 11, 67, 85, 56]
>>> list2
[11, 23, 45, 56, 67, 85]
13. min() : Returns minimum or smallest element of the list
>>> list1 = [34,12,63,39,92,44]
>>> min(list1)
12
14. max() :Returns maximum or largest element of the list :
>>> max(list1)
92
15. sum(): Returns sum of the elements of the list
>>> sum(list1)
284

Refer 4.1,4.2,4.3 HTML files Examples for the Reference


TUPLES
TUPLES :
A tuple is a sequence of items, similar to lists. The values stored in the tuple can be of any type and they
are indexed using integers. Unlike lists, tuples are immutable. That is, values within tuples cannot be
modified/reassigned. Tuples are comparable and hashable objects. Hence, they can be made as keys in
dictionaries.
A tuple can be created in Python as a comma separated list of items – may or may not be enclosed within parentheses.
>>> t='Mango', 'Banana', 'Apple’ #without parentheses
>>> print(t)
('Mango', 'Banana', 'Apple')
>>> t1=('Tom', 341, 'Jerry’) #with parentheses
>>> print(t1)
('Tom', 341, 'Jerry')
Observe that tuple values can be of mixed types.
If we would like to create a tuple with single value, then just a parenthesis will not suffice. For example,
>>> x=(3) #trying to have a tuple with single item
>>> print(x)
3 #observe, no parenthesis found
>>> type(x)
<class 'int'> #not a tuple, it is integer!!
Thus, to have a tuple with single item, we must include a comma after the item. That is,
>>> t=3, #or use the statement t=(3,)
>>> type(t) #now this is a tuple
<class 'tuple'>
An empty tuple can be created either using a pair of parenthesis or using a function tuple() as
below –
>>> t1=()
>>> type(t1)
<class 'tuple'>
>>> t2=tuple()
>>> type(t2)
<class 'tuple’>

If we provide an argument of type sequence (a list, a string or tuple) to the method tuple(), then a tuple
with the elements in a given sequence will be created –
Create tuple using string:
>>> t=tuple('Hello')
>>> print(t)
('H', 'e', 'l', 'l', 'o')
Create tuple using list:
>>> t=tuple([3,[12,5],'Hi'])
>>> print(t)
(3, [12, 5], 'Hi')
Create tuple using another tuple:
>>> t=('Mango', 34, 'hi')
>>> t1=tuple(t)
>>> print(t1)
('Mango', 34, 'hi')
>>> t is t1
True
Note that, in the above example, both t and t1 objects are referring to same memory location. That is,
t1 is a reference to t.
Elements in the tuple can be extracted using square-brackets with the help of indices. Similarly, slicing also
can be applied to extract required number of items from tuple.
>>> t=('Mango', 'Banana', 'Apple')
>>> print(t[1])
Banana
>>> print(t[1:]) ('Banana', 'Apple')
>>> print(t[-1]) Apple
Modifying the value in a tuple generates error, because tuples are immutable –
>>> t[0]='Kiwi'
Type Error: 'tuple' object does not support item assignment
We wanted to replace ‘Mango’ by ‘Kiwi’, which did not work using assignment. But, a tuple can be replaced with
another tuple involving required modifications
>>> t=('Kiwi',)+t[1:]
>>> print(t)
('Kiwi', 'Banana', 'Apple')
ADVANTAGES OF TUPLE OVER LIST:

1. In general, tuple is used for heterogeneous (different) datatypes and list for
homogeneous (similar) datatypes.
2. Since tuple are immutable, iterating through tuple is faster than with list. So there is
a slight performance boost.
3. Tuples that contain immutable elements can be used as key for a dictionary. With
list, this is not possible.
4. If you have data that doesn't change, implementing it as tuple will guarantee that it
remains write-protected.
ACCESSING LIST ELEMENTS:
Tuple elements are accessed just like string like str[2] means character at 2nd index tuple1[2] means elements at 2nd index and
tuple1[1:3] means all items between index 1 to 2
Length : the function len(T) will return number of elements in tuple
Indexing and Slicing : T[i] will return item at index i and T[i:j] means all items between index i to j-1 and T[i:j :n] means
every nth item between index i to j-1

To access values in tuples, use the square bracket with the index of the element.
Each item in a tuple has a unique index that specifies its position. The index of the first item is 0 and the index of the last item is the length of the list
minus 1.
The tuple index can be either positive, negative or an expression Positive index starts from the leftmost element of tuple and it ranges from 0 to (length
of tuple) minus 1. Negative index starts from the rightmost element of tuple and it ranges from -1 to minus length of tuple (i.e. –length ).
The nested tuples are accessed using nested indexing.
Example:
tup1= ( 'Joseph', 'Glenn', 'Sally', ('Haider', 'Raza'), 1, 2, 3 )
Positive Index :tup1[0], tup1[1], tup1[2], tup1[3]
Output: ( 'Joseph', 'Glenn', 'Sally', ('Haider', 'Raza')
Negative Index : tup1[-4], tup1[-3], tup1[-2], tup1[-1]
Output: ('Haider', 'Raza'), 1, 2, 3
Arithmetic Expression as an Index : tup1[20*6 - 19*3 - 60]
Output: 'Haider', 'Raza'
Iterating Through A Tuple:
Element of the tuple can be accessed sequentially using loop.
tup = (5,11,22)
for i in range(0,len(tup)):
print(tup[i])
Output: 5 11 22

Updating Tuples:
Tuples are immutable, that’s why we can’t change the content of tuple. It’s alternate way is to take contents of
existing tuple and create another tuple with these contents as well as new content.
tup1 = (1, 2)
tup2 = ('a', 'b’)
tup3 = tup1 + tup2
print (tup3)
Output (1, 2, 'a', 'b')
TUPLE SLICES:
Tuple is sequential data type, slicing can be used.
The slice of a tuple is the continuous piece of the tuple.
To extract a contiguous piece of a tuple, use a subscript consisting of the starting position followed by a colon (:), finally
followed by one more than the ending position of the slice you want to extract.
It is also possible to extract non-continuous elements of tuple. ¢ If you omit the first index, the slice starts at the
beginning.
If you omit the second, the slice goes to the end.
If you omit both, the slice is a copy of the whole tuple.
If we omit first and second index and provide step value as -1, then the reverse of tuple will be created.
Example:
tup1 = ('a', 'b', 'c', 'd', 'e', 'f‘)
tup1[1:3]('b', 'c‘)
tup1[:4] ('a', 'b', 'c', ‘d‘)
tup1[3:] ('d', 'e', 'f‘)
tup1[:] ('a', 'b', 'c', ‘d’, ‘e', 'f‘)
tup1[0:6:2] ('a‘, 'c‘, 'e’)
tup1[::-1] (‘f’, ‘e‘, ‘d‘, ‘c’ ,‘b‘, ‘a’)
USING THE RANGE FUNCTION:
The range function returns an object of range class that can be converted to tuple using tuple() constructor.
print(tuple())
print(tuple(range(4))
(0, 1, 2, 3)
print(tuple(range(1, 4))
(1, 2, 3)
print(tuple(range(2, 10, 2))
(2, 4, 6, 8)
print(tuple(range(-1, -11, -2))
(-1, -3, -5, -7, -9)
COMPARING TUPLES: Using Operators

>>> a=(10,20)
>>> b=(10,20)
>>> c=(20,10)
>>> a==b
True
>>> a==c
False
>>> d=(20.0,10.0)
>>> c==d
True
>>> a<c
True
TUPLES ARE IMMUTABLE:
Updating/ Deletion single element.
If tuple element holds a reference to any mutable object, it can be update/deleted.
If tuple element holds a reference to any immutable object, it cannot be update/deleted.
>>> listVal = [1, 1, 2, 3, 5, 8]
>>> tupleVal = (1, 1, 2, 3, 5, 8)
>>> listVal[4] = 'hello!’
>>> listVal [1, 1, 2, 3, 'hello!', 8]
>>> tupleVal[4] = 'hello!’
Traceback (most recent call last): File "<stdin>", line 1, in <module> TypeError:
'tuple' object does not support item assignment.
>>> tupleVal (1, 1, 2, 3, 5, 8)
>>> tupleVal[4] 5
Delete Tuple Elements:
Direct deletion of tuple element is not possible but shifting of required content after discard of unwanted content to
another tuple.
tup1 = (1, 2,3)
tup3 = tup1[0:1] + tup1[2:]
print (tup3)
Output (1, 3)
NOTE : Entire tuple can be deleted using del statement. e.g. del tup1
To explicitly remove an entire tuple, just use the del statement.
Example:
tuple1 = (‘Maths', ‘America', 1407)
del(tuple1)
BASIC TUPLE OPERATIONS:
Concatenation+ : The + operator concatenates two tuple i.e. it appends the second tuple at the tail of first tuple .
(1, ‘a’, 2, 3) + (223, 23) will return (1, ‘a’, 2, 3, 223, 23)
Repetition * : The * operator is used to repeat the tuple multiple times.
(1, ‘a’, 2, 3)*3 will return (1, ‘a’, 2, 3, 1, ‘a’, 2, 3, 1, ‘a’, 2, 3)
Membership operators in /not in: The in operator is used to check the membership of an element in the tuple.
2 in (1, ‘a’, 2, 3) will return TRUE
PACKING AND UNPACKING A TUPLE:
When a tuple is created, it is as though the items in the tuple have been “packed” into the object:
tup1 = (1,2,3,4)
If this “packed” object is subsequently assigned to a new tuple, the individual items are “unpacked” into the objects
in the
(a, b, c, d) = tup1
Print(tup1)
Output: (1,2,3,4)
Note: When unpacking, the number of elements in the tuple on the left of the assignment must equal the number of
elements in tuple on the right side. P
BASIC TUPLE METHODS or BUILT-IN FUNCTIONS:

tup1 = (1,2,3,4)
Length : len(): This function takes a tuple as a parameter and returns the length of tuple (i.e.
number of elements in the tuple).
Example- len(tup1), len((1,2,3,4)) output: 4
Maximum: max(): This function takes a tuple and returns the largest element of the tuple, if
possible.
Example: max(tup1), max( (1,2,3,4, 5) ): output: 4
Minimum: min(): This function takes a tuple and returns the smallest element of the tuple,
if possible .
Example: min(tup1), min( (34, 5, 7, 8) ): output: 5
Summation : sum(): This function takes a tuple and returns the sum of all elements of the
tuple, if possible.
Example: sum(tup1), sum( (32, 45, 6) ): output: 83
5. index() : it return index value of given element in the list, if element not present it raises ValueError
exception
salary=(1000,1500,800,700,1200)
Salary.index(800)
Output:2
Salary.index(5000)
ValueError exception
6. count() : it return the count of any element in the tuple i.e. how many times the given element is in the tuple. If given
element not in the tuple it return 0.
val=(10,20,30,20,10,60,80,20)
val.count(20) 3
val.count(80) 1
val.count(100) 0
Modifying Tuples: Using Tuple unpacking
val = (10,20,30)
a,b,c = val
b=30
val=(a,b,c )
print(val)
(10, 30, 30)

Using constructor function of lists and tuples i.e. list() and tuple()
foods=("rice","dosa","idli","mushroom","paneer")
myfood = list(foods)
myfood[2]="biryani“
foods = tuple(myfood)
Print(foods)
(‘rice’,’dosa’,’idli’,’mushroom’,’paneer’)
Difference between Lists and Tuples:

List Tuple

It is mutable It is immutable

The implication of iterations is time- Implications of iterations are much


consuming in the list. faster in tuples.

Operations like insertion and deletion


Elements can be accessed better.
are better performed.

Consumes more memory. Consumes less memory.

Many built-in methods are available. Does not have many built-in methods.

Unexpected errors and changes can


Unexpected errors and changes rarely
easily occur in lists.
occur in tuples.
SAMPLE PROGRAMS:

• Write a Python program to unpack a tuple in several variables.


• Write a Python program to find the repeated items of a tuple.
• Write a Python program to find the index of an item of a tuple.
• Write a Python program to remove an empty tuple(s) from a list of
tuples.

You might also like