Python Unit1
Python Unit1
Part 1
COMPSCI 260
27 / 28 August 2014
Part 1 Topics:
• Python language and how to run it
• Basic data types and syntax
• Control structures
• Important data structures in Python: lists
(strings), tuples, and dictionaries
• Function declarations
The Python Programming Language
• Dynamically vs. statically typed
• Automated memory management
• General purpose programming / scripting
language
• Thanks to a ton of modules and libraries
• https://pypi.python.org/
Python Interactive Shell
• Python interactive shell inside Eclipse
Python on command line
• Collect Python code into a text file
• Save it with .py suffix, say script.py
• Open a terminal on your machine
• Then type: python script.py Arg1 Arg2 …
Python Data Types & Syntax
• Numerical data types
• a = 34 (integer)
• a = 34.0 (floating point numbers – single & double precision)
• a = True (boolean)
if check == 1:
# comments can be on their own line
do something... # or inline with code
Mathematical & Logical Operations
• Addition, subtraction, multiplication
o 2 + 2, 42 – 6, 4*3
• Division (type matters)
o 3/2=?
• Modulus
o 3%2=1
• Exponentiation
o 3 ** 2 = 9
• Logical operators
o and, or, not
o ==, !=, <, <=, >, >=
print Statement
• Places output on the screen
i = 34
print i
• while statement
while i < 40:
do something
Control Structures (cont’d)
• for statement
for i in [1,2,4]:
print i
for i in range(50):
if i == 10:
break
• http://docs.python.org/2/tutorial/controlflow.html
Lists
• Creating a list
list0 = [] # create empty list manually
• Slicing
a = [99, 'bottles of beer', ['on', 'the', 'wall']]
print a[0:2]
à [99, 'bottles of beer']
print a[1:]
à ['bottles of beer', ['on', 'the', 'wall']]
• Reverse indexing
print a[-1]
à ['on', 'the', 'wall']
print a[-3:-1]
à [99, 'bottles of beer']
• Delete elements
del a[1]
print a
à [99, ['on', 'the', 'wall']]
Lists (cont’d)
a = [0, 1, 2]
b = [3, 4]
a + b à [0, 1, 2, 3, 4]
a * 3 à [0, 1, 2, 0, 1, 2, 0, 1, 2]
a.append(5) à [0, 1, 2, 5]
a.pop(1) à [0, 2, 5]
a.insert(1, 42) à [0, 42, 2, 5]
a.reverse() à [5, 2, 42, 0]
a.sort() à [0, 2, 5, 42]
sorted(a) à [0, 2, 5, 42]
print len(a)
à 4
Strings
• A string is similar to a list of characters
a = 'hello'
print a[0]
à 'h'
print a[1:4]
à 'ell'
print a[-1]
à 'o'
for c in a:
print c,
à h e l l o
strvar5 = ''
strvar5 += 'cr'
strvar5 += 'ude' # concatenation
• String formatting
len('hello') à 5 # size
# splitting strings
'hello_world'.split('_') à ['hello','world']
# remove whitespace
'hello_world \n'.strip() à 'hello_world'
Practice Time:
• Use 15 minutes to practice with Part1.py in
Tutorial 1
• http://docs.python.org/2/library/functions.html#tuple
Dictionaries
• Dictionary are "associative arrays" mapping keys to
values: {key: value}
d = {
'Marky':'Mark', 'Funky':'Bunch', 3:'4', (1,2):[1,2,3]
}
def f1(a):
a.append(4)
b = [1,2,3]
f1(b)
def f2(a):
a = 4
b = [1,2,3]
f2(b)
Pointers (or Reference vs. Copy)