SlideShare a Scribd company logo
Functions and (list and string
methods)
Python SIG – PYA
Class 3 – 3/10/15
These are things you should know
pretty well by now:
• raw_input, printing
• help(), dir(), online docs, searching the
internet
• The fact that Python is awesome. (No, really,
I’m just being completely objective here.)
(Revision of)Useful built-ins
• len()
• range() (and xrange())
• sum(), max(), min()
• int(), float(), str()
• dir() – use it to find list and string methods
• Use help() to find out about them
(Revision of)if else elif
if SomethingThatEvaluatesToABoolean:
# code
elif SomethingElseThatEvaluatesToABoolean:
# code
else:
# code
(Revision of)String formatting
• What is it? (Immutable)
• %something - %d, %f, %s
– ‘a = %d’ % (a)
• Prefer .format()
• {} sufficient – numbers optional
• More complex things possible
(Revision of)Loops
• for – for when you how many iterations
• while - while you don’t know how many
iterations
• while SomethingThatEvaluatesToABoolean:
# code
• for loop syntax in Python
– for iterVar in (x)range(iterNum):
# code
(Revision of)for loops can do more!
• What is this ‘in’ anyway? (different time
complexity for different cases)
• for char in string
• for line in text
• for item in sequence
–Example: for i in [1,’a’,3]:
print i
# output: 1nan3
And one more thing
Don’t be afraid of these:
Exception EOFError OSError
StopIteration ImportError SyntaxError
SystemExit KeyboardInterrupt IndentationError
StandardError LookupError SystemError
ArithmeticError IndexError SystemExit
OverflowError KeyError TypeError
FloatingPointError NameError ValueError
ZeroDivisonError UnboundLocalError RuntimeError
AssertionError EnvironmentError NotImplementedError
AttributeError IOError SomeRandomError
And one more thing
• If nothing, look at what error it is and what
line it is on. And make sure you look above
and below that line.
• Further reading – 16 common runtime errors
Python beginners find:
http://inventwithpython.com/blog/2012/07/0
9/16-common-python-runtime-errors/
Obligatory xkcd reference[1]
Serious questions:
• What are functions?
• Why are they important?
• What is the difference between a
function and a method? (OOP language
guys should answer)
Functions are:
“Functions are reusable pieces of programs.
They allow you to give a name to a block of
statements, allowing you to run that block
using the specified name anywhere in your
program and any number of times. This is
known as calling the function.” - Byte of
Python, Swaroop CH[2]
General syntax
• def function_name(param_1, ..., param_n):
# code to do something
[return some_tuple] # square brackets because
# optional
• Why param not arg?
• That is, what is the difference between
arguments and parameters?
• Fact: Functions in Python always return
something. So, in a function that just prints
something, what does it return?
More about functions
• Flow of execution – jumping when called,
ending when a return is reached
• Try making a IndentationError or SyntaxError
in your function definition. Is it caught without
calling your function?
• What about other types of errors? That is,
runtime errors.
( dir(__builtins__) lists (yes, LISTs), among
other things, all possible [Something]Error)
Docstrings
• Let’s open some random library’s .py files and
look at the code. (Be careful about modifying it,
though.)
• Have you noticed __doc__?
• Ignoring classes (and double underscores) for
now.
• def somefunction(args):
“””This is a docstring and it
describes what the function does
“””
Functions that return
• What is the point of this?
• How to receive what the function returns?
• Be careful about number of arguments.
• Idea of local variables.
• Global variables using global statement
(But bad practice!)
• Functional programming – stateless, no side
effects
Imported stuff
• Before going to assignments for functions,
let’s take a little detour to the import
statement.
• Modules vs. Libraries – basic difference
• And before going to import, let’s take a little
detour to...
Remember import antigravity?
• For those who don’t:
(not so) Serious questions:
• Do you think I’m just looking for an excuse to
put xkcd comics in my slides or they actually
have served a purpose in every case (so far)?
Why am I talking about that anyway?
• Because whatever we import are usually .py
or .pyc files
• And I found antigravity.py and antigravity.pyc
in C:Python27Lib
• Let’s open both with a text editor.
• What happens when we click on both?
• What happens when we modify the .py file?
• Does is effect the .pyc file? Should it?
(Again)Why am I talking about that
anyway?
• To explain better how import works
– The .pyc file is unaffected until we modify, save
and import antigravity again
– Searches everything in sys.path
• Just to give you an idea that Python is not a
complex or rigid as you think it is.
• Open source for the win!
Try ‘this’. Literally.
• Try ‘import this’.
• Find “this.py” and try to make sense of it.
• Make a .py file called “this_1.py” and modify it to
print whatever you want.
• Save it in a non C: partition
• Now find a way to run it in a Python session
without navigating to saved location.
• After you’ve finished, read the output of import
this. It’s pretty well written!
Make a dice rolling game
Find a module that helps you with pseudorandom
generation of numbers and
use it to create a program to emulate a dice.
Then it should roll the dice until the user gets the
same number three times in a row or m tries,
whichever is earlier. (m is entered by the user at
the beginning)
In case of the former, it prints, “You’re lucky.”
Otherwise it prints “m chances up. ”
It should also print no. of chances remaining at
every roll and display the results of the last 3
rolls.
For those who have finished
• Try playing the game to see if you “are lucky”!
How big should your m be to win consistently?
• What is the ideal probability for a random
dice? (1/6th per toss, one doesn’t affect the
other.)
• But here it is pseudorandom.
• Further reading – Blog post by Jeff Atwood:
https://blog.codinghorror.com/computers-
are-lousy-random-number-generators/
Default args
• Functions can use a default value as argument
in case it is not passed while calling it.
• “Only those parameters which are at the end
of the parameter list can be given default
argument values ” [2]
• def func_name(param1, param2 = 0):
• NOT def func_name(param1 = 0, param2):
*args and **kwargs
• Variable number of arguments
• kwargs – keyword arguments
• def complex_func(*args, **kwargs):
# try this
a = args; b = kwargs
print(a, type(a)); print(b,type(b))
*args and **kwargs
• You can use for loops to iterate over the
arguments.
• args is a tuple
• kwargs is a dictionary
• How to call such a function? What is the value
of the dictionary?
Other things about functions
• Functions can return multiple values. Use
tuples (if confused, just comma-separate the
variables for now)
• Too many arguments make a function
argumentative. Limit yourself to fewer
arguments per function; and more functions if
required.
List and string methods
• Why is this important enough to be a separate
topic?
• What is the main difference between them?
• Hint: This goes back to mutability.
• Hint: Try something on both. What is the
return type
List methods
• Do dir([]) and try to guess what each of the
methods might do to a list.
• list.append(element)
• list.extend(list)
• list.remove(element)
• list.pop(index)
• list.reverse()
• list.sort()
Assignment
Write a function which takes an input ‘n’.
Then it asks for ‘n’ numbers and makes a list
of Boolean values that are returned by a
function is_greater(arg1, arg2) by comparing
input values in order. That is, when 4 values a,
b, c and d are given. The value of the list is:
[a > b, b > c, c > d]. The program runs until the
user types ‘end’.
Assignment
A list containing ints, floats, and strings, when unsorted
looks like this:
Example: l1_unsorted = [[1], 1, 2, 1.0, ‘aa’, ‘a’, ‘b’,
[‘b’], [‘a’]]
Using the default sort gives:
Example: l1_sorted = [1, 1.0, 2, [1], ['a'], ['b'], 'a', 'aa',
'b']
Write a program that returns:
l1_custom_sorted = [[‘a’], [‘b’], ‘b’, ‘aa’, ‘a’, 2, 1,
1.0] . Make sure that no more than 4 lines of code is
outside a function. Functionify you code!
String methods
• Do dir(‘’) and try to guess what each of
methods might do to a string.
• string.split(delimiter)
• string.upper() / .lower()
• ‘ ‘.join([list of things to join])
• string.startswith() / .endswith()
Palindrome checker
• Write a palindrome checker.
• That’s it. Up to you how complex you make it.
Thanks!
Pranav S Bijapur,
ECE, BMSCE, Bangalore
b.pranavshankar@gmail.com
Telegram - @pranavsb
References
All (Revision of) slides were taken from the
class2 presentation that was made by me
and used on 29/9/15
1. xkcd – Wisdom of the ancients
https://xkcd.com/979
2. Byte of Python by Swaroop CH, available
online at
http://www.swaroopch.com/notes/python

More Related Content

PPTX
Learn Python The Hard Way Presentation
Amira ElSharkawy
 
PPTX
Fundamentals of Python Programming
Kamal Acharya
 
PPSX
Programming with Python
Rasan Samarasinghe
 
PDF
Let’s Learn Python An introduction to Python
Jaganadh Gopinadhan
 
PDF
Python revision tour i
Mr. Vikram Singh Slathia
 
PDF
Python revision tour II
Mr. Vikram Singh Slathia
 
PDF
Python Basics
tusharpanda88
 
Learn Python The Hard Way Presentation
Amira ElSharkawy
 
Fundamentals of Python Programming
Kamal Acharya
 
Programming with Python
Rasan Samarasinghe
 
Let’s Learn Python An introduction to Python
Jaganadh Gopinadhan
 
Python revision tour i
Mr. Vikram Singh Slathia
 
Python revision tour II
Mr. Vikram Singh Slathia
 
Python Basics
tusharpanda88
 

What's hot (20)

PPTX
Python Tutorial Part 1
Haitham El-Ghareeb
 
PPT
Introduction to Python - Part Two
amiable_indian
 
PPTX
Intro to Python Programming Language
Dipankar Achinta
 
PDF
Python Foundation – A programmer's introduction to Python concepts & style
Kevlin Henney
 
PPT
Introduction to Python - Part Three
amiable_indian
 
PPTX
Python basics
Hoang Nguyen
 
PPTX
Python 3 Programming Language
Tahani Al-Manie
 
PPT
Introduction to Python
amiable_indian
 
PDF
Python cheat-sheet
srinivasanr281952
 
PPTX
Python for Beginners(v1)
Panimalar Engineering College
 
PPTX
FUNDAMENTALS OF PYTHON LANGUAGE
Saraswathi Murugan
 
PPTX
Introduction to python
Ayshwarya Baburam
 
PDF
Introduction To Programming with Python
Sushant Mane
 
PDF
Introduction to Python Pandas for Data Analytics
Phoenix
 
PDF
Python basic
Saifuddin Kaijar
 
PPT
python.ppt
shreyas_test_1234
 
ODP
Python Presentation
Narendra Sisodiya
 
PDF
Python Advanced – Building on the foundation
Kevlin Henney
 
PPTX
Python basics
RANAALIMAJEEDRAJPUT
 
PPTX
Python ppt
Anush verma
 
Python Tutorial Part 1
Haitham El-Ghareeb
 
Introduction to Python - Part Two
amiable_indian
 
Intro to Python Programming Language
Dipankar Achinta
 
Python Foundation – A programmer's introduction to Python concepts & style
Kevlin Henney
 
Introduction to Python - Part Three
amiable_indian
 
Python basics
Hoang Nguyen
 
Python 3 Programming Language
Tahani Al-Manie
 
Introduction to Python
amiable_indian
 
Python cheat-sheet
srinivasanr281952
 
Python for Beginners(v1)
Panimalar Engineering College
 
FUNDAMENTALS OF PYTHON LANGUAGE
Saraswathi Murugan
 
Introduction to python
Ayshwarya Baburam
 
Introduction To Programming with Python
Sushant Mane
 
Introduction to Python Pandas for Data Analytics
Phoenix
 
Python basic
Saifuddin Kaijar
 
python.ppt
shreyas_test_1234
 
Python Presentation
Narendra Sisodiya
 
Python Advanced – Building on the foundation
Kevlin Henney
 
Python basics
RANAALIMAJEEDRAJPUT
 
Python ppt
Anush verma
 
Ad

Viewers also liked (6)

PDF
5 2. string processing
웅식 전
 
PPT
Application of Stacks
Ain-ul-Moiz Khawaja
 
PPTX
8086 Interrupts & With DOS and BIOS by vijay
Vijay Kumar
 
PDF
Applications of stack
eShikshak
 
PPT
Unit 3 principles of programming language
Vasavi College of Engg
 
PPS
Interrupts
guest2e9811e
 
5 2. string processing
웅식 전
 
Application of Stacks
Ain-ul-Moiz Khawaja
 
8086 Interrupts & With DOS and BIOS by vijay
Vijay Kumar
 
Applications of stack
eShikshak
 
Unit 3 principles of programming language
Vasavi College of Engg
 
Interrupts
guest2e9811e
 
Ad

Similar to Functions, List and String methods (20)

PPTX
Tuples, Dicts and Exception Handling
PranavSB
 
PDF
web programming UNIT VIII python by Bhavsingh Maloth
Bhavsingh Maloth
 
PPTX
Basic concept of Python.pptx includes design tool, identifier, variables.
supriyasarkar38
 
PDF
Tutorial on-python-programming
Chetan Giridhar
 
PPTX
Python basics
Young Alista
 
PPTX
Python basics
Harry Potter
 
PPTX
Python basics
Fraboni Ec
 
PPTX
Python basics
Tony Nguyen
 
PPTX
Python basics
James Wong
 
PPTX
Python basics
Luis Goldster
 
KEY
Programming with Python - Week 3
Ahmet Bulut
 
PPTX
Python for Security Professionals
Aditya Shankar
 
PPTX
Basic Python Programming: Part 01 and Part 02
Fariz Darari
 
DOCX
ISTA 130 Lab 21 Turtle ReviewHere are all of the turt.docx
priestmanmable
 
PPTX
An Introduction : Python
Raghu Kumar
 
PDF
Functional Python Webinar from October 22nd, 2014
Reuven Lerner
 
PPTX
Keep it Stupidly Simple Introduce Python
SushJalai
 
PDF
Python (3).pdf
samiwaris2
 
PPTX
Python basics
TIB Academy
 
PPTX
Python Interview Questions | Python Interview Questions And Answers | Python ...
Simplilearn
 
Tuples, Dicts and Exception Handling
PranavSB
 
web programming UNIT VIII python by Bhavsingh Maloth
Bhavsingh Maloth
 
Basic concept of Python.pptx includes design tool, identifier, variables.
supriyasarkar38
 
Tutorial on-python-programming
Chetan Giridhar
 
Python basics
Young Alista
 
Python basics
Harry Potter
 
Python basics
Fraboni Ec
 
Python basics
Tony Nguyen
 
Python basics
James Wong
 
Python basics
Luis Goldster
 
Programming with Python - Week 3
Ahmet Bulut
 
Python for Security Professionals
Aditya Shankar
 
Basic Python Programming: Part 01 and Part 02
Fariz Darari
 
ISTA 130 Lab 21 Turtle ReviewHere are all of the turt.docx
priestmanmable
 
An Introduction : Python
Raghu Kumar
 
Functional Python Webinar from October 22nd, 2014
Reuven Lerner
 
Keep it Stupidly Simple Introduce Python
SushJalai
 
Python (3).pdf
samiwaris2
 
Python basics
TIB Academy
 
Python Interview Questions | Python Interview Questions And Answers | Python ...
Simplilearn
 

Recently uploaded (20)

PDF
ShowUs: Pharo Stream Deck (ESUG 2025, Gdansk)
ESUG
 
PPTX
TestNG for Java Testing and Automation testing
ssuser0213cb
 
PPTX
Visualising Data with Scatterplots in IBM SPSS Statistics.pptx
Version 1 Analytics
 
PPTX
Presentation about variables and constant.pptx
safalsingh810
 
PDF
Exploring AI Agents in Process Industries
amoreira6
 
PPTX
Presentation of Computer CLASS 2 .pptx
darshilchaudhary558
 
PDF
Protecting the Digital World Cyber Securit
dnthakkar16
 
PPTX
Explanation about Structures in C language.pptx
Veeral Rathod
 
PDF
IEEE-CS Tech Predictions, SWEBOK and Quantum Software: Towards Q-SWEBOK
Hironori Washizaki
 
PDF
advancepresentationskillshdhdhhdhdhdhhfhf
jasmenrojas249
 
PDF
lesson-2-rules-of-netiquette.pdf.bshhsjdj
jasmenrojas249
 
PDF
Bandai Playdia The Book - David Glotz
BluePanther6
 
PPTX
ASSIGNMENT_1[1][1][1][1][1] (1) variables.pptx
kr2589474
 
PDF
Wondershare Filmora 14.5.20.12999 Crack Full New Version 2025
gsgssg2211
 
PDF
Solar Panel Installation Guide – Step By Step Process 2025.pdf
CRMLeaf
 
PPTX
ConcordeApp: Engineering Global Impact & Unlocking Billions in Event ROI with AI
chastechaste14
 
PDF
Community & News Update Q2 Meet Up 2025
VictoriaMetrics
 
PDF
Become an Agentblazer Champion Challenge Kickoff
Dele Amefo
 
PPTX
Web Testing.pptx528278vshbuqffqhhqiwnwuq
studylike474
 
PPTX
The-Dawn-of-AI-Reshaping-Our-World.pptxx
parthbhanushali307
 
ShowUs: Pharo Stream Deck (ESUG 2025, Gdansk)
ESUG
 
TestNG for Java Testing and Automation testing
ssuser0213cb
 
Visualising Data with Scatterplots in IBM SPSS Statistics.pptx
Version 1 Analytics
 
Presentation about variables and constant.pptx
safalsingh810
 
Exploring AI Agents in Process Industries
amoreira6
 
Presentation of Computer CLASS 2 .pptx
darshilchaudhary558
 
Protecting the Digital World Cyber Securit
dnthakkar16
 
Explanation about Structures in C language.pptx
Veeral Rathod
 
IEEE-CS Tech Predictions, SWEBOK and Quantum Software: Towards Q-SWEBOK
Hironori Washizaki
 
advancepresentationskillshdhdhhdhdhdhhfhf
jasmenrojas249
 
lesson-2-rules-of-netiquette.pdf.bshhsjdj
jasmenrojas249
 
Bandai Playdia The Book - David Glotz
BluePanther6
 
ASSIGNMENT_1[1][1][1][1][1] (1) variables.pptx
kr2589474
 
Wondershare Filmora 14.5.20.12999 Crack Full New Version 2025
gsgssg2211
 
Solar Panel Installation Guide – Step By Step Process 2025.pdf
CRMLeaf
 
ConcordeApp: Engineering Global Impact & Unlocking Billions in Event ROI with AI
chastechaste14
 
Community & News Update Q2 Meet Up 2025
VictoriaMetrics
 
Become an Agentblazer Champion Challenge Kickoff
Dele Amefo
 
Web Testing.pptx528278vshbuqffqhhqiwnwuq
studylike474
 
The-Dawn-of-AI-Reshaping-Our-World.pptxx
parthbhanushali307
 

Functions, List and String methods

  • 1. Functions and (list and string methods) Python SIG – PYA Class 3 – 3/10/15
  • 2. These are things you should know pretty well by now: • raw_input, printing • help(), dir(), online docs, searching the internet • The fact that Python is awesome. (No, really, I’m just being completely objective here.)
  • 3. (Revision of)Useful built-ins • len() • range() (and xrange()) • sum(), max(), min() • int(), float(), str() • dir() – use it to find list and string methods • Use help() to find out about them
  • 4. (Revision of)if else elif if SomethingThatEvaluatesToABoolean: # code elif SomethingElseThatEvaluatesToABoolean: # code else: # code
  • 5. (Revision of)String formatting • What is it? (Immutable) • %something - %d, %f, %s – ‘a = %d’ % (a) • Prefer .format() • {} sufficient – numbers optional • More complex things possible
  • 6. (Revision of)Loops • for – for when you how many iterations • while - while you don’t know how many iterations • while SomethingThatEvaluatesToABoolean: # code • for loop syntax in Python – for iterVar in (x)range(iterNum): # code
  • 7. (Revision of)for loops can do more! • What is this ‘in’ anyway? (different time complexity for different cases) • for char in string • for line in text • for item in sequence –Example: for i in [1,’a’,3]: print i # output: 1nan3
  • 8. And one more thing Don’t be afraid of these: Exception EOFError OSError StopIteration ImportError SyntaxError SystemExit KeyboardInterrupt IndentationError StandardError LookupError SystemError ArithmeticError IndexError SystemExit OverflowError KeyError TypeError FloatingPointError NameError ValueError ZeroDivisonError UnboundLocalError RuntimeError AssertionError EnvironmentError NotImplementedError AttributeError IOError SomeRandomError
  • 9. And one more thing • If nothing, look at what error it is and what line it is on. And make sure you look above and below that line. • Further reading – 16 common runtime errors Python beginners find: http://inventwithpython.com/blog/2012/07/0 9/16-common-python-runtime-errors/
  • 11. Serious questions: • What are functions? • Why are they important? • What is the difference between a function and a method? (OOP language guys should answer)
  • 12. Functions are: “Functions are reusable pieces of programs. They allow you to give a name to a block of statements, allowing you to run that block using the specified name anywhere in your program and any number of times. This is known as calling the function.” - Byte of Python, Swaroop CH[2]
  • 13. General syntax • def function_name(param_1, ..., param_n): # code to do something [return some_tuple] # square brackets because # optional • Why param not arg? • That is, what is the difference between arguments and parameters? • Fact: Functions in Python always return something. So, in a function that just prints something, what does it return?
  • 14. More about functions • Flow of execution – jumping when called, ending when a return is reached • Try making a IndentationError or SyntaxError in your function definition. Is it caught without calling your function? • What about other types of errors? That is, runtime errors. ( dir(__builtins__) lists (yes, LISTs), among other things, all possible [Something]Error)
  • 15. Docstrings • Let’s open some random library’s .py files and look at the code. (Be careful about modifying it, though.) • Have you noticed __doc__? • Ignoring classes (and double underscores) for now. • def somefunction(args): “””This is a docstring and it describes what the function does “””
  • 16. Functions that return • What is the point of this? • How to receive what the function returns? • Be careful about number of arguments. • Idea of local variables. • Global variables using global statement (But bad practice!) • Functional programming – stateless, no side effects
  • 17. Imported stuff • Before going to assignments for functions, let’s take a little detour to the import statement. • Modules vs. Libraries – basic difference • And before going to import, let’s take a little detour to...
  • 18. Remember import antigravity? • For those who don’t:
  • 19. (not so) Serious questions: • Do you think I’m just looking for an excuse to put xkcd comics in my slides or they actually have served a purpose in every case (so far)?
  • 20. Why am I talking about that anyway? • Because whatever we import are usually .py or .pyc files • And I found antigravity.py and antigravity.pyc in C:Python27Lib • Let’s open both with a text editor. • What happens when we click on both? • What happens when we modify the .py file? • Does is effect the .pyc file? Should it?
  • 21. (Again)Why am I talking about that anyway? • To explain better how import works – The .pyc file is unaffected until we modify, save and import antigravity again – Searches everything in sys.path • Just to give you an idea that Python is not a complex or rigid as you think it is. • Open source for the win!
  • 22. Try ‘this’. Literally. • Try ‘import this’. • Find “this.py” and try to make sense of it. • Make a .py file called “this_1.py” and modify it to print whatever you want. • Save it in a non C: partition • Now find a way to run it in a Python session without navigating to saved location. • After you’ve finished, read the output of import this. It’s pretty well written!
  • 23. Make a dice rolling game Find a module that helps you with pseudorandom generation of numbers and use it to create a program to emulate a dice. Then it should roll the dice until the user gets the same number three times in a row or m tries, whichever is earlier. (m is entered by the user at the beginning) In case of the former, it prints, “You’re lucky.” Otherwise it prints “m chances up. ” It should also print no. of chances remaining at every roll and display the results of the last 3 rolls.
  • 24. For those who have finished • Try playing the game to see if you “are lucky”! How big should your m be to win consistently? • What is the ideal probability for a random dice? (1/6th per toss, one doesn’t affect the other.) • But here it is pseudorandom. • Further reading – Blog post by Jeff Atwood: https://blog.codinghorror.com/computers- are-lousy-random-number-generators/
  • 25. Default args • Functions can use a default value as argument in case it is not passed while calling it. • “Only those parameters which are at the end of the parameter list can be given default argument values ” [2] • def func_name(param1, param2 = 0): • NOT def func_name(param1 = 0, param2):
  • 26. *args and **kwargs • Variable number of arguments • kwargs – keyword arguments • def complex_func(*args, **kwargs): # try this a = args; b = kwargs print(a, type(a)); print(b,type(b))
  • 27. *args and **kwargs • You can use for loops to iterate over the arguments. • args is a tuple • kwargs is a dictionary • How to call such a function? What is the value of the dictionary?
  • 28. Other things about functions • Functions can return multiple values. Use tuples (if confused, just comma-separate the variables for now) • Too many arguments make a function argumentative. Limit yourself to fewer arguments per function; and more functions if required.
  • 29. List and string methods • Why is this important enough to be a separate topic? • What is the main difference between them? • Hint: This goes back to mutability. • Hint: Try something on both. What is the return type
  • 30. List methods • Do dir([]) and try to guess what each of the methods might do to a list. • list.append(element) • list.extend(list) • list.remove(element) • list.pop(index) • list.reverse() • list.sort()
  • 31. Assignment Write a function which takes an input ‘n’. Then it asks for ‘n’ numbers and makes a list of Boolean values that are returned by a function is_greater(arg1, arg2) by comparing input values in order. That is, when 4 values a, b, c and d are given. The value of the list is: [a > b, b > c, c > d]. The program runs until the user types ‘end’.
  • 32. Assignment A list containing ints, floats, and strings, when unsorted looks like this: Example: l1_unsorted = [[1], 1, 2, 1.0, ‘aa’, ‘a’, ‘b’, [‘b’], [‘a’]] Using the default sort gives: Example: l1_sorted = [1, 1.0, 2, [1], ['a'], ['b'], 'a', 'aa', 'b'] Write a program that returns: l1_custom_sorted = [[‘a’], [‘b’], ‘b’, ‘aa’, ‘a’, 2, 1, 1.0] . Make sure that no more than 4 lines of code is outside a function. Functionify you code!
  • 33. String methods • Do dir(‘’) and try to guess what each of methods might do to a string. • string.split(delimiter) • string.upper() / .lower() • ‘ ‘.join([list of things to join]) • string.startswith() / .endswith()
  • 34. Palindrome checker • Write a palindrome checker. • That’s it. Up to you how complex you make it.
  • 35. Thanks! Pranav S Bijapur, ECE, BMSCE, Bangalore [email protected] Telegram - @pranavsb
  • 36. References All (Revision of) slides were taken from the class2 presentation that was made by me and used on 29/9/15 1. xkcd – Wisdom of the ancients https://xkcd.com/979 2. Byte of Python by Swaroop CH, available online at http://www.swaroopch.com/notes/python