SlideShare a Scribd company logo
 Most recent popular (scripting/extension)
language
 although origin ~1991
 heritage: teaching language (ABC)
 Tcl: shell
 perl: string (regex) processing
 object-oriented
 rather than add-on (OOTcl)
26-Feb-24
Advanced Programming
Spring 2002
 Coherence
 not hard to read, write and maintain
 power
 scope
 rapid development + large systems
 objects
 integration
 hybrid systems
26-Feb-24
Advanced Programming
Spring 2002
26-Feb-24
Advanced Programming
Spring 2002
no compiling or linking rapid development cycle
no type declarations simpler, shorter, more flexible
automatic memory management garbage collection
high-level data types and
operations
fast development
object-oriented programming code structuring and reuse, C++
embedding and extending in C mixed language systems
classes, modules, exceptions "programming-in-the-large"
support
dynamic loading of C modules simplified extensions, smaller
binaries
dynamic reloading of C modules programs can be modified without
stopping
Lutz, Programming Python
26-Feb-24
Advanced Programming
Spring 2002
universal "first-class" object model fewer restrictions and rules
run-time program construction handles unforeseen needs, end-
user coding
interactive, dynamic nature incremental development and
testing
access to interpreter information metaprogramming, introspective
objects
wide portability cross-platform programming
without ports
compilation to portable byte-code execution speed, protecting source
code
built-in interfaces to external
services
system tools, GUIs, persistence,
databases, etc.
Lutz, Programming Python
 elements from C++, Modula-3 (modules), ABC,
Icon (slicing)
 same family as Perl, Tcl, Scheme, REXX, BASIC
dialects
26-Feb-24
Advanced Programming
Spring 2002
 shell tools
 system admin tools, command line programs
 extension-language work
 rapid prototyping and development
 language-based modules
 instead of special-purpose parsers
 graphical user interfaces
 database access
 distributed programming
 Internet scripting
26-Feb-24
Advanced Programming
Spring 2002
 most scripting languages share these
 not as efficient as C
 but sometimes better built-in algorithms (e.g.,
hashing and sorting)
 delayed error notification
 lack of profiling tools
26-Feb-24
Advanced Programming
Spring 2002
 /usr/local/bin/python
 #! /usr/bin/env python
 interactive use
Python 1.6 (#1, Sep 24 2000, 20:40:45) [GCC 2.95.1 19990816 (release)] on sunos5
Copyright (c) 1995-2000 Corporation for National Research Initiatives.
All Rights Reserved.
Copyright (c) 1991-1995 Stichting Mathematisch Centrum, Amsterdam.
All Rights Reserved.
>>>
 python –c command [arg] ...
 python –i script
 read script first, then interactive
26-Feb-24
Advanced Programming
Spring 2002
 modules: Python source files or C extensions
 import, top-level via from, reload
 statements
 control flow
 create objects
 indentation matters – instead of {}
 objects
 everything is an object
 automatically reclaimed when no longer needed
26-Feb-24
Advanced Programming
Spring 2002
#!/usr/local/bin/python
# import systems module
import sys
marker = '::::::'
for name in sys.argv[1:]:
input = open(name, 'r')
print marker + name
print input.read()
26-Feb-24
Advanced Programming
Spring 2002
 Assignment:
 size = 40
 a = b = c = 3
 Numbers
 integer, float
 complex numbers: 1j+3, abs(z)
 Strings
 'hello world', 'it's hot'
 "bye world"
 continuation via  or use """ long text """"
26-Feb-24
Advanced Programming
Spring 2002
 concatenate with + or neighbors
 word = 'Help' + x
 word = 'Help' 'a'
 subscripting of strings
 'Hello'[2]  'l'
 slice: 'Hello'[1:2]  'el'
 word[-1]  last character
 len(word)  5
 immutable: cannot assign to subscript
26-Feb-24
Advanced Programming
Spring 2002
 lists can be heterogeneous
 a = ['spam', 'eggs', 100, 1234, 2*2]
 Lists can be indexed and sliced:
 a[0]  spam
 a[:2]  ['spam', 'eggs']
 Lists can be manipulated
 a[2] = a[2] + 23
 a[0:2] = [1,12]
 a[0:0] = []
 len(a)  5
26-Feb-24
Advanced Programming
Spring 2002
a,b = 0, 1
# non-zero = true
while b < 10:
# formatted output, without n
print b,
# multiple assignment
a,b = b, a+b
26-Feb-24
Advanced Programming
Spring 2002
x = int(raw_input("Please enter #:"))
if x < 0:
x = 0
print 'Negative changed to zero'
elif x == 0:
print 'Zero'
elif x == 1:
print 'Single'
else:
print 'More'
 no case statement
26-Feb-24
Advanced Programming
Spring 2002
a = ['cat', 'window', 'defenestrate']
for x in a:
print x, len(x)
 no arithmetic progression, but
 range(10)  [0, 1, 2, 3, 4, 5, 6, 7, 8, 9]
 for i in range(len(a)):
print i, a[i]
 do not modify the sequence being iterated over
26-Feb-24
Advanced Programming
Spring 2002
 break and continue like C
 else after loop exhaustion
for n in range(2,10):
for x in range(2,n):
if n % x == 0:
print n, 'equals', x, '*', n/x
break
else:
# loop fell through without finding a factor
print n, 'is prime'
26-Feb-24
Advanced Programming
Spring 2002
 pass does nothing
 syntactic filler
while 1:
pass
26-Feb-24
Advanced Programming
Spring 2002
def fib(n):
"""Print a Fibonacci series up to n."""
a, b = 0, 1
while b < n:
print b,
a, b = b, a+b
>>> fib(2000)
 First line is docstring
 first look for variables in local, then global
 need global to assign global variables
26-Feb-24
Advanced Programming
Spring 2002
def ask_ok(prompt, retries=4,
complaint='Yes or no, please!'):
while 1:
ok = raw_input(prompt)
if ok in ('y', 'ye', 'yes'): return 1
if ok in ('n', 'no'): return 0
retries = retries - 1
if retries < 0: raise IOError,
'refusenik error'
print complaint
>>> ask_ok('Really?')
26-Feb-24
Advanced Programming
Spring 2002
 last arguments can be given as keywords
def parrot(voltage, state='a stiff', action='voom',
type='Norwegian blue'):
print "-- This parrot wouldn't", action,
print "if you put", voltage, "Volts through it."
print "Lovely plumage, the ", type
print "-- It's", state, "!"
parrot(1000)
parrot(action='VOOOM', voltage=100000)
26-Feb-24
Advanced Programming
Spring 2002
 anonymous functions
 may not work in older versions
def make_incrementor(n):
return lambda x: x + n
f = make_incrementor(42)
f(0)
f(1)
26-Feb-24
Advanced Programming
Spring 2002
 append(x)
 extend(L)
 append all items in list (like Tcl lappend)
 insert(i,x)
 remove(x)
 pop([i]), pop()
 create stack (FIFO), or queue (LIFO)  pop(0)
 index(x)
 return the index for value x
26-Feb-24
Advanced Programming
Spring 2002
 count(x)
 how many times x appears in list
 sort()
 sort items in place
 reverse()
 reverse list
26-Feb-24
Advanced Programming
Spring 2002
 filter(function, sequence)
def f(x): return x%2 != 0 and x%3 0
filter(f, range(2,25))
 map(function, sequence)
 call function for each item
 return list of return values
 reduce(function, sequence)
 return a single value
 call binary function on the first two items
 then on the result and next item
 iterate
26-Feb-24
Advanced Programming
Spring 2002
 Create lists without map(), filter(),
lambda
 = expression followed by for clause + zero or
more for or of clauses
>>> vec = [2,4,6]
>>> [3*x for x in vec]
[6, 12, 18]
>>> [{x: x**2} for x in vec}
[{2: 4}, {4: 16}, {6: 36}]
26-Feb-24
Advanced Programming
Spring 2002
 cross products:
>>> vec1 = [2,4,6]
>>> vec2 = [4,3,-9]
>>> [x*y for x in vec1 for y in vec2]
[8,6,-18, 16,12,-36, 24,18,-54]
>>> [x+y for x in vec1 and y in vec2]
[6,5,-7,8,7,-5,10,9,-3]
>>> [vec1[i]*vec2[i] for i in
range(len(vec1))]
[8,12,-54]
26-Feb-24
Advanced Programming
Spring 2002
 can also use if:
>>> [3*x for x in vec if x > 3]
[12, 18]
>>> [3*x for x in vec if x < 2]
[]
26-Feb-24
Advanced Programming
Spring 2002
 remove by index, not value
 remove slices from list (rather than by
assigning an empty list)
>>> a = [-1,1,66.6,333,333,1234.5]
>>> del a[0]
>>> a
[1,66.6,333,333,1234.5]
>>> del a[2:4]
>>> a
[1,66.6,1234.5]
26-Feb-24
Advanced Programming
Spring 2002
 lists, strings, tuples: examples of sequence type
 tuple = values separated by commas
>>> t = 123, 543, 'bar'
>>> t[0]
123
>>> t
(123, 543, 'bar')
26-Feb-24
Advanced Programming
Spring 2002
 Tuples may be nested
>>> u = t, (1,2)
>>> u
((123, 542, 'bar'), (1,2))
 kind of like structs, but no element names:
 (x,y) coordinates
 database records
 like strings, immutable  can't assign to
individual items
26-Feb-24
Advanced Programming
Spring 2002
 Empty tuples: ()
>>> empty = ()
>>> len(empty)
0
 one item  trailing comma
>>> singleton = 'foo',
26-Feb-24
Advanced Programming
Spring 2002
 sequence unpacking  distribute elements
across variables
>>> t = 123, 543, 'bar'
>>> x, y, z = t
>>> x
123
 packing always creates tuple
 unpacking works for any sequence
26-Feb-24
Advanced Programming
Spring 2002
 like Tcl or awk associative arrays
 indexed by keys
 keys are any immutable type: e.g., tuples
 but not lists (mutable!)
 uses 'key: value' notation
>>> tel = {'hgs' : 7042, 'lennox': 7018}
>>> tel['cs'] = 7000
>>> tel
26-Feb-24
Advanced Programming
Spring 2002
 no particular order
 delete elements with del
>>> del tel['foo']
 keys() method  unsorted list of keys
>>> tel.keys()
['cs', 'lennox', 'hgs']
 use has_key() to check for existence
>>> tel.has_key('foo')
0
26-Feb-24
Advanced Programming
Spring 2002
 can check for sequence membership with is
and is not:
>>> if (4 in vec):
... print '4 is'
 chained comparisons: a less than b AND b
equals c:
a < b == c
 and and or are short-circuit operators:
 evaluated from left to right
 stop evaluation as soon as outcome clear
26-Feb-24
Advanced Programming
Spring 2002
 Can assign comparison to variable:
>>> s1,s2,s3='', 'foo', 'bar'
>>> non_null = s1 or s2 or s3
>>> non_null
foo
 Unlike C, no assignment within expression
26-Feb-24
Advanced Programming
Spring 2002
 unlike C, can compare sequences (lists, tuples,
...)
 lexicographical comparison:
 compare first; if different  outcome
 continue recursively
 subsequences are smaller
 strings use ASCII comparison
 can compare objects of different type, but by type
name (list < string < tuple)
26-Feb-24
Advanced Programming
Spring 2002
(1,2,3) < (1,2,4)
[1,2,3] < [1,2,4]
'ABC' < 'C' < 'Pascal' < 'Python'
(1,2,3) == (1.0,2.0,3.0)
(1,2) < (1,2,-1)
26-Feb-24
Advanced Programming
Spring 2002
 collection of functions and variables, typically
in scripts
 definitions can be imported
 file name is module name + .py
 e.g., create module fibo.py
def fib(n): # write Fib. series up to n
...
def fib2(n): # return Fib. series up to n
26-Feb-24
Advanced Programming
Spring 2002
 import module:
import fibo
 Use modules via "name space":
>>> fibo.fib(1000)
>>> fibo.__name__
'fibo'
 can give it a local name:
>>> fib = fibo.fib
>>> fib(500)
26-Feb-24
Advanced Programming
Spring 2002
 function definition + executable statements
 executed only when module is imported
 modules have private symbol tables
 avoids name clash for global variables
 accessible as module.globalname
 can import into name space:
>>> from fibo import fib, fib2
>>> fib(500)
 can import all names defined by module:
>>> from fibo import *
26-Feb-24
Advanced Programming
Spring 2002
 current directory
 list of directories specified in PYTHONPATH
environment variable
 uses installation-default if not defined, e.g.,
.:/usr/local/lib/python
 uses sys.path
>>> import sys
>>> sys.path
['', 'C:PROGRA~1Python2.2', 'C:Program
FilesPython2.2DLLs', 'C:Program
FilesPython2.2lib', 'C:Program
FilesPython2.2liblib-tk', 'C:Program
FilesPython2.2', 'C:Program
FilesPython2.2libsite-packages']
26-Feb-24
Advanced Programming
Spring 2002
 include byte-compiled version of module if
there exists fibo.pyc in same directory as
fibo.py
 only if creation time of fibo.pyc matches
fibo.py
 automatically write compiled file, if possible
 platform independent
 doesn't run any faster, but loads faster
 can have only .pyc file  hide source
26-Feb-24
Advanced Programming
Spring 2002
 system-dependent list
 always sys module
>>> import sys
>>> sys.p1
'>>> '
>>> sys.p2
'... '
>>> sys.path.append('/some/directory')
26-Feb-24
Advanced Programming
Spring 2002
 use dir() for each module
>>> dir(fibo)
['___name___', 'fib', 'fib2']
>>> dir(sys)
['__displayhook__', '__doc__', '__excepthook__', '__name__', '__stderr__', '__st
din__', '__stdout__', '_getframe', 'argv', 'builtin_module_names', 'byteorder',
'copyright', 'displayhook', 'dllhandle', 'exc_info', 'exc_type', 'excepthook', '
exec_prefix', 'executable', 'exit', 'getdefaultencoding', 'getrecursionlimit', '
getrefcount', 'hexversion', 'last_type', 'last_value', 'maxint', 'maxunicode', '
modules', 'path', 'platform', 'prefix', 'ps1', 'ps2', 'setcheckinterval', 'setpr
ofile', 'setrecursionlimit', 'settrace', 'stderr', 'stdin', 'stdout', 'version',
'version_info', 'warnoptions', 'winver']
26-Feb-24
Advanced Programming
Spring 2002
 mixture of C++ and Modula-3
 multiple base classes
 derived class can override any methods of its
base class(es)
 method can call the method of a base class with
the same name
 objects have private data
 C++ terms:
 all class members are public
 all member functions are virtual
 no constructors or destructors (not needed)
26-Feb-24
Advanced Programming
Spring 2002
 classes (and data types) are objects
 built-in types cannot be used as base classes by
user
 arithmetic operators, subscripting can be
redefined for class instances (like C++, unlike
Java)
26-Feb-24
Advanced Programming
Spring 2002
Class ClassName:
<statement-1>
...
<statement-N>
 must be executed
 can be executed conditionally (see Tcl)
 creates new namespace
26-Feb-24
Advanced Programming
Spring 2002
 mapping from name to object:
 built-in names (abs())
 global names in module
 local names in function invocation
 attributes = any following a dot
 z.real, z.imag
 attributes read-only or writable
 module attributes are writeable
26-Feb-24
Advanced Programming
Spring 2002
 scope = textual region of Python program
where a namespace is directly accessible
(without dot)
 innermost scope (first) = local names
 middle scope = current module's global names
 outermost scope (last) = built-in names
 assignments always affect innermost scope
 don't copy, just create name bindings to objects
 global indicates name is in global scope
26-Feb-24
Advanced Programming
Spring 2002
 obj.name references (plus module!):
class MyClass:
"A simple example class"
i = 123
def f(self):
return 'hello world'
>>> MyClass.i
123
 MyClass.f is method object
26-Feb-24
Advanced Programming
Spring 2002
 class instantiation:
>>> x = MyClass()
>>> x.f()
'hello world'
 creates new instance of class
 note x = MyClass vs. x = MyClass()
 ___init__() special method for initialization
of object
def __init__(self,realpart,imagpart):
self.r = realpart
self.i = imagpart
26-Feb-24
Advanced Programming
Spring 2002
 attribute references
 data attributes (C++/Java data members)
 created dynamically
x.counter = 1
while x.counter < 10:
x.counter = x.counter * 2
print x.counter
del x.counter
26-Feb-24
Advanced Programming
Spring 2002
 Called immediately:
x.f()
 can be referenced:
xf = x.f
while 1:
print xf()
 object is passed as first argument of function 
'self'
 x.f() is equivalent to MyClass.f(x)
26-Feb-24
Advanced Programming
Spring 2002
 Data attributes override method attributes with
the same name
 no real hiding  not usable to implement pure
abstract data types
 clients (users) of an object can add data
attributes
 first argument of method usually called self
 'self' has no special meaning (cf. Java)
26-Feb-24
Advanced Programming
Spring 2002
 bag.py
class Bag:
def __init__(self):
self.data = []
def add(self, x):
self.data.append(x)
def addtwice(self,x):
self.add(x)
self.add(x)
26-Feb-24
Advanced Programming
Spring 2002
 invoke:
>>> from bag import *
>>> l = Bag()
>>> l.add('first')
>>> l.add('second')
>>> l.data
['first', 'second']
26-Feb-24
Advanced Programming
Spring 2002
class DerivedClassName(BaseClassName)
<statement-1>
...
<statement-N>
 search class attribute, descending chain of base
classes
 may override methods in the base class
 call directly via BaseClassName.method
26-Feb-24
Advanced Programming
Spring 2002
class DerivedClass(Base1,Base2,Base3):
<statement>
 depth-first, left-to-right
 problem: class derived from two classes with a
common base class
26-Feb-24
Advanced Programming
Spring 2002
 No real support, but textual replacement (name
mangling)
 __var is replaced by _classname_var
 prevents only accidental modification, not true
protection
26-Feb-24
Advanced Programming
Spring 2002
 Empty class definition:
class Employee:
pass
john = Employee()
john.name = 'John Doe'
john.dept = 'CS'
john.salary = 1000
26-Feb-24
Advanced Programming
Spring 2002
 syntax (parsing) errors
while 1 print 'Hello World'
File "<stdin>", line 1
while 1 print 'Hello World'
^
SyntaxError: invalid syntax
 exceptions
 run-time errors
 e.g., ZeroDivisionError, NameError,
TypeError
26-Feb-24
Advanced Programming
Spring 2002
while 1:
try:
x = int(raw_input("Please enter a number: "))
break
except ValueError:
print "Not a valid number"
 First, execute try clause
 if no exception, skip except clause
 if exception, skip rest of try clause and use except
clause
 if no matching exception, attempt outer try statement
26-Feb-24
Advanced Programming
Spring 2002
 try.py
import sys
for arg in sys.argv[1:]:
try:
f = open(arg, 'r')
except IOError:
print 'cannot open', arg
else:
print arg, 'lines:', len(f.readlines())
f.close
 e.g., as python try.py *.py
26-Feb-24
Advanced Programming
Spring 2002
26-Feb-24
Advanced Programming
Spring 2002
Tcl Perl Python JavaScript Visual
Basic
Speed development     
regexp   
breadth extensible   
embeddable  
easy GUI   (Tk) 
net/web     
enterprise cross-platform    
I18N    
thread-safe   
database access     

More Related Content

Similar to python presentation lists,strings,operation (20)

PPT
python.ppt
ramamoorthi24
 
PPT
Python (1)
abduldestiny
 
PPT
python.ppt
MukundSharma74
 
PPT
AI and IOT technology untuk indonesia yang jaya
Ridwan Syarif Siregar
 
PPT
python.ppt
ssuser696419
 
PPT
python.ppt
Arun471829
 
PPT
python ppt for engg and education purpose
riodelite
 
PPT
python_presentation_with_detailed_explanation.ppt
techsreekar
 
PPT
python_bASICSPPTvISHWASpython_bASICS.ppt
2023da04095
 
PPT
sonam Kumari python.ppt
ssuserd64918
 
PPTX
python programming internship presentation.pptx
vsingh080501
 
PPT
Python classes in mumbai
Vibrant Technologies & Computers
 
PPT
python.ppt
shreyas_test_1234
 
PPT
python language programming presentation
lbisht2
 
PPT
Python basics - for bigginers
Abdulaziz M. Ghaleb
 
PPTX
Introduction to Python Programming Language
merlinjohnsy
 
PPT
Python basics to advanced in on ppt is available
nexasbravo2000sep
 
PPT
FALLSEM2022-23_ITA3007_ETH_VL2022230100613_Reference_Material_I_23-09-2022_py...
admin369652
 
PPT
Python tutorialfeb152012
Shani729
 
PPTX
Python Scipy Numpy
Girish Khanzode
 
python.ppt
ramamoorthi24
 
Python (1)
abduldestiny
 
python.ppt
MukundSharma74
 
AI and IOT technology untuk indonesia yang jaya
Ridwan Syarif Siregar
 
python.ppt
ssuser696419
 
python.ppt
Arun471829
 
python ppt for engg and education purpose
riodelite
 
python_presentation_with_detailed_explanation.ppt
techsreekar
 
python_bASICSPPTvISHWASpython_bASICS.ppt
2023da04095
 
sonam Kumari python.ppt
ssuserd64918
 
python programming internship presentation.pptx
vsingh080501
 
Python classes in mumbai
Vibrant Technologies & Computers
 
python.ppt
shreyas_test_1234
 
python language programming presentation
lbisht2
 
Python basics - for bigginers
Abdulaziz M. Ghaleb
 
Introduction to Python Programming Language
merlinjohnsy
 
Python basics to advanced in on ppt is available
nexasbravo2000sep
 
FALLSEM2022-23_ITA3007_ETH_VL2022230100613_Reference_Material_I_23-09-2022_py...
admin369652
 
Python tutorialfeb152012
Shani729
 
Python Scipy Numpy
Girish Khanzode
 

Recently uploaded (20)

PDF
Plant Control_EST_85520-01_en_AllChanges_20220127.pdf
DarshanaChathuranga4
 
PDF
PROGRAMMING REQUESTS/RESPONSES WITH GREATFREE IN THE CLOUD ENVIRONMENT
samueljackson3773
 
PPTX
Unit_I Functional Units, Instruction Sets.pptx
logaprakash9
 
PPTX
FSE_LLM4SE1_A Tool for In-depth Analysis of Code Execution Reasoning of Large...
cl144
 
PDF
June 2025 - Top 10 Read Articles in Network Security and Its Applications
IJNSA Journal
 
PPTX
Kel.3_A_Review_on_Internet_of_Things_for_Defense_v3.pptx
Endang Saefullah
 
PPSX
OOPS Concepts in Python and Exception Handling
Dr. A. B. Shinde
 
PDF
13th International Conference of Security, Privacy and Trust Management (SPTM...
ijcisjournal
 
PPTX
UNIT 1 - INTRODUCTION TO AI and AI tools and basic concept
gokuld13012005
 
PDF
13th International Conference on Artificial Intelligence, Soft Computing (AIS...
ijait
 
PPTX
Stability of IBR Dominated Grids - IEEE PEDG 2025 - short.pptx
ssuser307730
 
PPTX
darshai cross section and river section analysis
muk7971
 
PPTX
Introduction to File Transfer Protocol with commands in FTP
BeulahS2
 
PDF
輪読会資料_Miipher and Miipher2 .
NABLAS株式会社
 
PPTX
Comparison of Flexible and Rigid Pavements in Bangladesh
Arifur Rahman
 
PDF
FSE-Journal-First-Automated code editing with search-generate-modify.pdf
cl144
 
PDF
Tesia Dobrydnia - An Avid Hiker And Backpacker
Tesia Dobrydnia
 
PPTX
Electrical_Safety_EMI_EMC_Presentation.pptx
drmaneharshalid
 
PDF
CLIP_Internals_and_Architecture.pdf sdvsdv sdv
JoseLuisCahuanaRamos3
 
DOCX
Engineering Geology Field Report to Malekhu .docx
justprashant567
 
Plant Control_EST_85520-01_en_AllChanges_20220127.pdf
DarshanaChathuranga4
 
PROGRAMMING REQUESTS/RESPONSES WITH GREATFREE IN THE CLOUD ENVIRONMENT
samueljackson3773
 
Unit_I Functional Units, Instruction Sets.pptx
logaprakash9
 
FSE_LLM4SE1_A Tool for In-depth Analysis of Code Execution Reasoning of Large...
cl144
 
June 2025 - Top 10 Read Articles in Network Security and Its Applications
IJNSA Journal
 
Kel.3_A_Review_on_Internet_of_Things_for_Defense_v3.pptx
Endang Saefullah
 
OOPS Concepts in Python and Exception Handling
Dr. A. B. Shinde
 
13th International Conference of Security, Privacy and Trust Management (SPTM...
ijcisjournal
 
UNIT 1 - INTRODUCTION TO AI and AI tools and basic concept
gokuld13012005
 
13th International Conference on Artificial Intelligence, Soft Computing (AIS...
ijait
 
Stability of IBR Dominated Grids - IEEE PEDG 2025 - short.pptx
ssuser307730
 
darshai cross section and river section analysis
muk7971
 
Introduction to File Transfer Protocol with commands in FTP
BeulahS2
 
輪読会資料_Miipher and Miipher2 .
NABLAS株式会社
 
Comparison of Flexible and Rigid Pavements in Bangladesh
Arifur Rahman
 
FSE-Journal-First-Automated code editing with search-generate-modify.pdf
cl144
 
Tesia Dobrydnia - An Avid Hiker And Backpacker
Tesia Dobrydnia
 
Electrical_Safety_EMI_EMC_Presentation.pptx
drmaneharshalid
 
CLIP_Internals_and_Architecture.pdf sdvsdv sdv
JoseLuisCahuanaRamos3
 
Engineering Geology Field Report to Malekhu .docx
justprashant567
 
Ad

python presentation lists,strings,operation

  • 1.  Most recent popular (scripting/extension) language  although origin ~1991  heritage: teaching language (ABC)  Tcl: shell  perl: string (regex) processing  object-oriented  rather than add-on (OOTcl) 26-Feb-24 Advanced Programming Spring 2002
  • 2.  Coherence  not hard to read, write and maintain  power  scope  rapid development + large systems  objects  integration  hybrid systems 26-Feb-24 Advanced Programming Spring 2002
  • 3. 26-Feb-24 Advanced Programming Spring 2002 no compiling or linking rapid development cycle no type declarations simpler, shorter, more flexible automatic memory management garbage collection high-level data types and operations fast development object-oriented programming code structuring and reuse, C++ embedding and extending in C mixed language systems classes, modules, exceptions "programming-in-the-large" support dynamic loading of C modules simplified extensions, smaller binaries dynamic reloading of C modules programs can be modified without stopping Lutz, Programming Python
  • 4. 26-Feb-24 Advanced Programming Spring 2002 universal "first-class" object model fewer restrictions and rules run-time program construction handles unforeseen needs, end- user coding interactive, dynamic nature incremental development and testing access to interpreter information metaprogramming, introspective objects wide portability cross-platform programming without ports compilation to portable byte-code execution speed, protecting source code built-in interfaces to external services system tools, GUIs, persistence, databases, etc. Lutz, Programming Python
  • 5.  elements from C++, Modula-3 (modules), ABC, Icon (slicing)  same family as Perl, Tcl, Scheme, REXX, BASIC dialects 26-Feb-24 Advanced Programming Spring 2002
  • 6.  shell tools  system admin tools, command line programs  extension-language work  rapid prototyping and development  language-based modules  instead of special-purpose parsers  graphical user interfaces  database access  distributed programming  Internet scripting 26-Feb-24 Advanced Programming Spring 2002
  • 7.  most scripting languages share these  not as efficient as C  but sometimes better built-in algorithms (e.g., hashing and sorting)  delayed error notification  lack of profiling tools 26-Feb-24 Advanced Programming Spring 2002
  • 8.  /usr/local/bin/python  #! /usr/bin/env python  interactive use Python 1.6 (#1, Sep 24 2000, 20:40:45) [GCC 2.95.1 19990816 (release)] on sunos5 Copyright (c) 1995-2000 Corporation for National Research Initiatives. All Rights Reserved. Copyright (c) 1991-1995 Stichting Mathematisch Centrum, Amsterdam. All Rights Reserved. >>>  python –c command [arg] ...  python –i script  read script first, then interactive 26-Feb-24 Advanced Programming Spring 2002
  • 9.  modules: Python source files or C extensions  import, top-level via from, reload  statements  control flow  create objects  indentation matters – instead of {}  objects  everything is an object  automatically reclaimed when no longer needed 26-Feb-24 Advanced Programming Spring 2002
  • 10. #!/usr/local/bin/python # import systems module import sys marker = '::::::' for name in sys.argv[1:]: input = open(name, 'r') print marker + name print input.read() 26-Feb-24 Advanced Programming Spring 2002
  • 11.  Assignment:  size = 40  a = b = c = 3  Numbers  integer, float  complex numbers: 1j+3, abs(z)  Strings  'hello world', 'it's hot'  "bye world"  continuation via or use """ long text """" 26-Feb-24 Advanced Programming Spring 2002
  • 12.  concatenate with + or neighbors  word = 'Help' + x  word = 'Help' 'a'  subscripting of strings  'Hello'[2]  'l'  slice: 'Hello'[1:2]  'el'  word[-1]  last character  len(word)  5  immutable: cannot assign to subscript 26-Feb-24 Advanced Programming Spring 2002
  • 13.  lists can be heterogeneous  a = ['spam', 'eggs', 100, 1234, 2*2]  Lists can be indexed and sliced:  a[0]  spam  a[:2]  ['spam', 'eggs']  Lists can be manipulated  a[2] = a[2] + 23  a[0:2] = [1,12]  a[0:0] = []  len(a)  5 26-Feb-24 Advanced Programming Spring 2002
  • 14. a,b = 0, 1 # non-zero = true while b < 10: # formatted output, without n print b, # multiple assignment a,b = b, a+b 26-Feb-24 Advanced Programming Spring 2002
  • 15. x = int(raw_input("Please enter #:")) if x < 0: x = 0 print 'Negative changed to zero' elif x == 0: print 'Zero' elif x == 1: print 'Single' else: print 'More'  no case statement 26-Feb-24 Advanced Programming Spring 2002
  • 16. a = ['cat', 'window', 'defenestrate'] for x in a: print x, len(x)  no arithmetic progression, but  range(10)  [0, 1, 2, 3, 4, 5, 6, 7, 8, 9]  for i in range(len(a)): print i, a[i]  do not modify the sequence being iterated over 26-Feb-24 Advanced Programming Spring 2002
  • 17.  break and continue like C  else after loop exhaustion for n in range(2,10): for x in range(2,n): if n % x == 0: print n, 'equals', x, '*', n/x break else: # loop fell through without finding a factor print n, 'is prime' 26-Feb-24 Advanced Programming Spring 2002
  • 18.  pass does nothing  syntactic filler while 1: pass 26-Feb-24 Advanced Programming Spring 2002
  • 19. def fib(n): """Print a Fibonacci series up to n.""" a, b = 0, 1 while b < n: print b, a, b = b, a+b >>> fib(2000)  First line is docstring  first look for variables in local, then global  need global to assign global variables 26-Feb-24 Advanced Programming Spring 2002
  • 20. def ask_ok(prompt, retries=4, complaint='Yes or no, please!'): while 1: ok = raw_input(prompt) if ok in ('y', 'ye', 'yes'): return 1 if ok in ('n', 'no'): return 0 retries = retries - 1 if retries < 0: raise IOError, 'refusenik error' print complaint >>> ask_ok('Really?') 26-Feb-24 Advanced Programming Spring 2002
  • 21.  last arguments can be given as keywords def parrot(voltage, state='a stiff', action='voom', type='Norwegian blue'): print "-- This parrot wouldn't", action, print "if you put", voltage, "Volts through it." print "Lovely plumage, the ", type print "-- It's", state, "!" parrot(1000) parrot(action='VOOOM', voltage=100000) 26-Feb-24 Advanced Programming Spring 2002
  • 22.  anonymous functions  may not work in older versions def make_incrementor(n): return lambda x: x + n f = make_incrementor(42) f(0) f(1) 26-Feb-24 Advanced Programming Spring 2002
  • 23.  append(x)  extend(L)  append all items in list (like Tcl lappend)  insert(i,x)  remove(x)  pop([i]), pop()  create stack (FIFO), or queue (LIFO)  pop(0)  index(x)  return the index for value x 26-Feb-24 Advanced Programming Spring 2002
  • 24.  count(x)  how many times x appears in list  sort()  sort items in place  reverse()  reverse list 26-Feb-24 Advanced Programming Spring 2002
  • 25.  filter(function, sequence) def f(x): return x%2 != 0 and x%3 0 filter(f, range(2,25))  map(function, sequence)  call function for each item  return list of return values  reduce(function, sequence)  return a single value  call binary function on the first two items  then on the result and next item  iterate 26-Feb-24 Advanced Programming Spring 2002
  • 26.  Create lists without map(), filter(), lambda  = expression followed by for clause + zero or more for or of clauses >>> vec = [2,4,6] >>> [3*x for x in vec] [6, 12, 18] >>> [{x: x**2} for x in vec} [{2: 4}, {4: 16}, {6: 36}] 26-Feb-24 Advanced Programming Spring 2002
  • 27.  cross products: >>> vec1 = [2,4,6] >>> vec2 = [4,3,-9] >>> [x*y for x in vec1 for y in vec2] [8,6,-18, 16,12,-36, 24,18,-54] >>> [x+y for x in vec1 and y in vec2] [6,5,-7,8,7,-5,10,9,-3] >>> [vec1[i]*vec2[i] for i in range(len(vec1))] [8,12,-54] 26-Feb-24 Advanced Programming Spring 2002
  • 28.  can also use if: >>> [3*x for x in vec if x > 3] [12, 18] >>> [3*x for x in vec if x < 2] [] 26-Feb-24 Advanced Programming Spring 2002
  • 29.  remove by index, not value  remove slices from list (rather than by assigning an empty list) >>> a = [-1,1,66.6,333,333,1234.5] >>> del a[0] >>> a [1,66.6,333,333,1234.5] >>> del a[2:4] >>> a [1,66.6,1234.5] 26-Feb-24 Advanced Programming Spring 2002
  • 30.  lists, strings, tuples: examples of sequence type  tuple = values separated by commas >>> t = 123, 543, 'bar' >>> t[0] 123 >>> t (123, 543, 'bar') 26-Feb-24 Advanced Programming Spring 2002
  • 31.  Tuples may be nested >>> u = t, (1,2) >>> u ((123, 542, 'bar'), (1,2))  kind of like structs, but no element names:  (x,y) coordinates  database records  like strings, immutable  can't assign to individual items 26-Feb-24 Advanced Programming Spring 2002
  • 32.  Empty tuples: () >>> empty = () >>> len(empty) 0  one item  trailing comma >>> singleton = 'foo', 26-Feb-24 Advanced Programming Spring 2002
  • 33.  sequence unpacking  distribute elements across variables >>> t = 123, 543, 'bar' >>> x, y, z = t >>> x 123  packing always creates tuple  unpacking works for any sequence 26-Feb-24 Advanced Programming Spring 2002
  • 34.  like Tcl or awk associative arrays  indexed by keys  keys are any immutable type: e.g., tuples  but not lists (mutable!)  uses 'key: value' notation >>> tel = {'hgs' : 7042, 'lennox': 7018} >>> tel['cs'] = 7000 >>> tel 26-Feb-24 Advanced Programming Spring 2002
  • 35.  no particular order  delete elements with del >>> del tel['foo']  keys() method  unsorted list of keys >>> tel.keys() ['cs', 'lennox', 'hgs']  use has_key() to check for existence >>> tel.has_key('foo') 0 26-Feb-24 Advanced Programming Spring 2002
  • 36.  can check for sequence membership with is and is not: >>> if (4 in vec): ... print '4 is'  chained comparisons: a less than b AND b equals c: a < b == c  and and or are short-circuit operators:  evaluated from left to right  stop evaluation as soon as outcome clear 26-Feb-24 Advanced Programming Spring 2002
  • 37.  Can assign comparison to variable: >>> s1,s2,s3='', 'foo', 'bar' >>> non_null = s1 or s2 or s3 >>> non_null foo  Unlike C, no assignment within expression 26-Feb-24 Advanced Programming Spring 2002
  • 38.  unlike C, can compare sequences (lists, tuples, ...)  lexicographical comparison:  compare first; if different  outcome  continue recursively  subsequences are smaller  strings use ASCII comparison  can compare objects of different type, but by type name (list < string < tuple) 26-Feb-24 Advanced Programming Spring 2002
  • 39. (1,2,3) < (1,2,4) [1,2,3] < [1,2,4] 'ABC' < 'C' < 'Pascal' < 'Python' (1,2,3) == (1.0,2.0,3.0) (1,2) < (1,2,-1) 26-Feb-24 Advanced Programming Spring 2002
  • 40.  collection of functions and variables, typically in scripts  definitions can be imported  file name is module name + .py  e.g., create module fibo.py def fib(n): # write Fib. series up to n ... def fib2(n): # return Fib. series up to n 26-Feb-24 Advanced Programming Spring 2002
  • 41.  import module: import fibo  Use modules via "name space": >>> fibo.fib(1000) >>> fibo.__name__ 'fibo'  can give it a local name: >>> fib = fibo.fib >>> fib(500) 26-Feb-24 Advanced Programming Spring 2002
  • 42.  function definition + executable statements  executed only when module is imported  modules have private symbol tables  avoids name clash for global variables  accessible as module.globalname  can import into name space: >>> from fibo import fib, fib2 >>> fib(500)  can import all names defined by module: >>> from fibo import * 26-Feb-24 Advanced Programming Spring 2002
  • 43.  current directory  list of directories specified in PYTHONPATH environment variable  uses installation-default if not defined, e.g., .:/usr/local/lib/python  uses sys.path >>> import sys >>> sys.path ['', 'C:PROGRA~1Python2.2', 'C:Program FilesPython2.2DLLs', 'C:Program FilesPython2.2lib', 'C:Program FilesPython2.2liblib-tk', 'C:Program FilesPython2.2', 'C:Program FilesPython2.2libsite-packages'] 26-Feb-24 Advanced Programming Spring 2002
  • 44.  include byte-compiled version of module if there exists fibo.pyc in same directory as fibo.py  only if creation time of fibo.pyc matches fibo.py  automatically write compiled file, if possible  platform independent  doesn't run any faster, but loads faster  can have only .pyc file  hide source 26-Feb-24 Advanced Programming Spring 2002
  • 45.  system-dependent list  always sys module >>> import sys >>> sys.p1 '>>> ' >>> sys.p2 '... ' >>> sys.path.append('/some/directory') 26-Feb-24 Advanced Programming Spring 2002
  • 46.  use dir() for each module >>> dir(fibo) ['___name___', 'fib', 'fib2'] >>> dir(sys) ['__displayhook__', '__doc__', '__excepthook__', '__name__', '__stderr__', '__st din__', '__stdout__', '_getframe', 'argv', 'builtin_module_names', 'byteorder', 'copyright', 'displayhook', 'dllhandle', 'exc_info', 'exc_type', 'excepthook', ' exec_prefix', 'executable', 'exit', 'getdefaultencoding', 'getrecursionlimit', ' getrefcount', 'hexversion', 'last_type', 'last_value', 'maxint', 'maxunicode', ' modules', 'path', 'platform', 'prefix', 'ps1', 'ps2', 'setcheckinterval', 'setpr ofile', 'setrecursionlimit', 'settrace', 'stderr', 'stdin', 'stdout', 'version', 'version_info', 'warnoptions', 'winver'] 26-Feb-24 Advanced Programming Spring 2002
  • 47.  mixture of C++ and Modula-3  multiple base classes  derived class can override any methods of its base class(es)  method can call the method of a base class with the same name  objects have private data  C++ terms:  all class members are public  all member functions are virtual  no constructors or destructors (not needed) 26-Feb-24 Advanced Programming Spring 2002
  • 48.  classes (and data types) are objects  built-in types cannot be used as base classes by user  arithmetic operators, subscripting can be redefined for class instances (like C++, unlike Java) 26-Feb-24 Advanced Programming Spring 2002
  • 49. Class ClassName: <statement-1> ... <statement-N>  must be executed  can be executed conditionally (see Tcl)  creates new namespace 26-Feb-24 Advanced Programming Spring 2002
  • 50.  mapping from name to object:  built-in names (abs())  global names in module  local names in function invocation  attributes = any following a dot  z.real, z.imag  attributes read-only or writable  module attributes are writeable 26-Feb-24 Advanced Programming Spring 2002
  • 51.  scope = textual region of Python program where a namespace is directly accessible (without dot)  innermost scope (first) = local names  middle scope = current module's global names  outermost scope (last) = built-in names  assignments always affect innermost scope  don't copy, just create name bindings to objects  global indicates name is in global scope 26-Feb-24 Advanced Programming Spring 2002
  • 52.  obj.name references (plus module!): class MyClass: "A simple example class" i = 123 def f(self): return 'hello world' >>> MyClass.i 123  MyClass.f is method object 26-Feb-24 Advanced Programming Spring 2002
  • 53.  class instantiation: >>> x = MyClass() >>> x.f() 'hello world'  creates new instance of class  note x = MyClass vs. x = MyClass()  ___init__() special method for initialization of object def __init__(self,realpart,imagpart): self.r = realpart self.i = imagpart 26-Feb-24 Advanced Programming Spring 2002
  • 54.  attribute references  data attributes (C++/Java data members)  created dynamically x.counter = 1 while x.counter < 10: x.counter = x.counter * 2 print x.counter del x.counter 26-Feb-24 Advanced Programming Spring 2002
  • 55.  Called immediately: x.f()  can be referenced: xf = x.f while 1: print xf()  object is passed as first argument of function  'self'  x.f() is equivalent to MyClass.f(x) 26-Feb-24 Advanced Programming Spring 2002
  • 56.  Data attributes override method attributes with the same name  no real hiding  not usable to implement pure abstract data types  clients (users) of an object can add data attributes  first argument of method usually called self  'self' has no special meaning (cf. Java) 26-Feb-24 Advanced Programming Spring 2002
  • 57.  bag.py class Bag: def __init__(self): self.data = [] def add(self, x): self.data.append(x) def addtwice(self,x): self.add(x) self.add(x) 26-Feb-24 Advanced Programming Spring 2002
  • 58.  invoke: >>> from bag import * >>> l = Bag() >>> l.add('first') >>> l.add('second') >>> l.data ['first', 'second'] 26-Feb-24 Advanced Programming Spring 2002
  • 59. class DerivedClassName(BaseClassName) <statement-1> ... <statement-N>  search class attribute, descending chain of base classes  may override methods in the base class  call directly via BaseClassName.method 26-Feb-24 Advanced Programming Spring 2002
  • 60. class DerivedClass(Base1,Base2,Base3): <statement>  depth-first, left-to-right  problem: class derived from two classes with a common base class 26-Feb-24 Advanced Programming Spring 2002
  • 61.  No real support, but textual replacement (name mangling)  __var is replaced by _classname_var  prevents only accidental modification, not true protection 26-Feb-24 Advanced Programming Spring 2002
  • 62.  Empty class definition: class Employee: pass john = Employee() john.name = 'John Doe' john.dept = 'CS' john.salary = 1000 26-Feb-24 Advanced Programming Spring 2002
  • 63.  syntax (parsing) errors while 1 print 'Hello World' File "<stdin>", line 1 while 1 print 'Hello World' ^ SyntaxError: invalid syntax  exceptions  run-time errors  e.g., ZeroDivisionError, NameError, TypeError 26-Feb-24 Advanced Programming Spring 2002
  • 64. while 1: try: x = int(raw_input("Please enter a number: ")) break except ValueError: print "Not a valid number"  First, execute try clause  if no exception, skip except clause  if exception, skip rest of try clause and use except clause  if no matching exception, attempt outer try statement 26-Feb-24 Advanced Programming Spring 2002
  • 65.  try.py import sys for arg in sys.argv[1:]: try: f = open(arg, 'r') except IOError: print 'cannot open', arg else: print arg, 'lines:', len(f.readlines()) f.close  e.g., as python try.py *.py 26-Feb-24 Advanced Programming Spring 2002
  • 66. 26-Feb-24 Advanced Programming Spring 2002 Tcl Perl Python JavaScript Visual Basic Speed development      regexp    breadth extensible    embeddable   easy GUI   (Tk)  net/web      enterprise cross-platform     I18N     thread-safe    database access     