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
PPTX
Fundamentals of Python Programming
PPSX
Programming with Python
PDF
Let’s Learn Python An introduction to Python
PDF
Python revision tour i
PDF
Python revision tour II
PDF
Python Basics
Learn Python The Hard Way Presentation
Fundamentals of Python Programming
Programming with Python
Let’s Learn Python An introduction to Python
Python revision tour i
Python revision tour II
Python Basics

What's hot (20)

PPTX
Python Tutorial Part 1
PPT
Introduction to Python - Part Two
PPTX
Intro to Python Programming Language
PDF
Python Foundation – A programmer's introduction to Python concepts & style
PPT
Introduction to Python - Part Three
PPTX
Python basics
PPTX
Python 3 Programming Language
PPT
Introduction to Python
PDF
Python cheat-sheet
PPTX
Python for Beginners(v1)
PPTX
FUNDAMENTALS OF PYTHON LANGUAGE
PPTX
Introduction to python
PDF
Introduction To Programming with Python
PDF
Introduction to Python Pandas for Data Analytics
PDF
Python basic
PPT
python.ppt
ODP
Python Presentation
PDF
Python Advanced – Building on the foundation
PPTX
Python basics
PPTX
Python ppt
Python Tutorial Part 1
Introduction to Python - Part Two
Intro to Python Programming Language
Python Foundation – A programmer's introduction to Python concepts & style
Introduction to Python - Part Three
Python basics
Python 3 Programming Language
Introduction to Python
Python cheat-sheet
Python for Beginners(v1)
FUNDAMENTALS OF PYTHON LANGUAGE
Introduction to python
Introduction To Programming with Python
Introduction to Python Pandas for Data Analytics
Python basic
python.ppt
Python Presentation
Python Advanced – Building on the foundation
Python basics
Python ppt
Ad

Viewers also liked (6)

PDF
5 2. string processing
PPT
Application of Stacks
PPTX
8086 Interrupts & With DOS and BIOS by vijay
PDF
Applications of stack
PPT
Unit 3 principles of programming language
PPS
Interrupts
5 2. string processing
Application of Stacks
8086 Interrupts & With DOS and BIOS by vijay
Applications of stack
Unit 3 principles of programming language
Interrupts
Ad

Similar to Functions, List and String methods (20)

PPTX
Tuples, Dicts and Exception Handling
PDF
web programming UNIT VIII python by Bhavsingh Maloth
PPTX
Basic concept of Python.pptx includes design tool, identifier, variables.
PDF
Tutorial on-python-programming
PPTX
Python basics
PPTX
Python basics
PPTX
Python basics
PPTX
Python basics
PPTX
Python basics
PPTX
Python basics
KEY
Programming with Python - Week 3
PPTX
Python for Security Professionals
PPTX
Basic Python Programming: Part 01 and Part 02
DOCX
ISTA 130 Lab 21 Turtle ReviewHere are all of the turt.docx
PPTX
An Introduction : Python
PDF
Functional Python Webinar from October 22nd, 2014
PPTX
Keep it Stupidly Simple Introduce Python
PDF
Python (3).pdf
PPTX
Python basics
PPTX
Python Interview Questions | Python Interview Questions And Answers | Python ...
Tuples, Dicts and Exception Handling
web programming UNIT VIII python by Bhavsingh Maloth
Basic concept of Python.pptx includes design tool, identifier, variables.
Tutorial on-python-programming
Python basics
Python basics
Python basics
Python basics
Python basics
Python basics
Programming with Python - Week 3
Python for Security Professionals
Basic Python Programming: Part 01 and Part 02
ISTA 130 Lab 21 Turtle ReviewHere are all of the turt.docx
An Introduction : Python
Functional Python Webinar from October 22nd, 2014
Keep it Stupidly Simple Introduce Python
Python (3).pdf
Python basics
Python Interview Questions | Python Interview Questions And Answers | Python ...

Recently uploaded (20)

PDF
Wondershare Filmora 15 Crack With Activation Key [2025
PDF
AI in Product Development-omnex systems
PDF
SAP S4 Hana Brochure 3 (PTS SYSTEMS AND SOLUTIONS)
PPTX
Odoo POS Development Services by CandidRoot Solutions
PDF
Internet Downloader Manager (IDM) Crack 6.42 Build 41
PDF
Softaken Excel to vCard Converter Software.pdf
PDF
medical staffing services at VALiNTRY
PPTX
Introduction to Artificial Intelligence
PDF
Nekopoi APK 2025 free lastest update
PPTX
ISO 45001 Occupational Health and Safety Management System
PPTX
Lecture 3: Operating Systems Introduction to Computer Hardware Systems
 
PDF
Raksha Bandhan Grocery Pricing Trends in India 2025.pdf
PDF
Which alternative to Crystal Reports is best for small or large businesses.pdf
PPTX
Transform Your Business with a Software ERP System
PDF
System and Network Administraation Chapter 3
PPTX
Agentic AI : A Practical Guide. Undersating, Implementing and Scaling Autono...
PDF
2025 Textile ERP Trends: SAP, Odoo & Oracle
PDF
Claude Code: Everyone is a 10x Developer - A Comprehensive AI-Powered CLI Tool
PDF
Why TechBuilder is the Future of Pickup and Delivery App Development (1).pdf
PDF
Internet Downloader Manager (IDM) Crack 6.42 Build 42 Updates Latest 2025
Wondershare Filmora 15 Crack With Activation Key [2025
AI in Product Development-omnex systems
SAP S4 Hana Brochure 3 (PTS SYSTEMS AND SOLUTIONS)
Odoo POS Development Services by CandidRoot Solutions
Internet Downloader Manager (IDM) Crack 6.42 Build 41
Softaken Excel to vCard Converter Software.pdf
medical staffing services at VALiNTRY
Introduction to Artificial Intelligence
Nekopoi APK 2025 free lastest update
ISO 45001 Occupational Health and Safety Management System
Lecture 3: Operating Systems Introduction to Computer Hardware Systems
 
Raksha Bandhan Grocery Pricing Trends in India 2025.pdf
Which alternative to Crystal Reports is best for small or large businesses.pdf
Transform Your Business with a Software ERP System
System and Network Administraation Chapter 3
Agentic AI : A Practical Guide. Undersating, Implementing and Scaling Autono...
2025 Textile ERP Trends: SAP, Odoo & Oracle
Claude Code: Everyone is a 10x Developer - A Comprehensive AI-Powered CLI Tool
Why TechBuilder is the Future of Pickup and Delivery App Development (1).pdf
Internet Downloader Manager (IDM) Crack 6.42 Build 42 Updates Latest 2025

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 b.pranavshankar@gmail.com 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