An Introduction To Python Programming Language
An Introduction To Python Programming Language
Presentation Overview
Running Python and Output Data Types Input and File I/O Control Flow Functions Then, Why Python in Scientific Computation? Binary distributions Scientific Python
Hello World
Open a terminal window and type python If on Windows open a Python IDE like IDLE At the prompt type hello world!
'hello world!'
Python Overview
From Learning Python, 2nd Edition:
Programs are composed of modules Modules contain statements Statements contain expressions Expressions create and process objects
>>> print 'hello' hello >>> print 'hello', 'there' hello there
Documentation
The # starts a line comment
>>>
Variables
Are not declared, just assigned The variable is created the first time you assign it a value Are references to objects Type information is with the object, not the reference Everything in Python is an object
Everything is an object
Everything means everything, including functions and classes (more on this later!) Data type is a property of the object and not of the variable
>>> x = 7 >>> x 7 >>> x = 'hello' >>> x 'hello' >>>
Numbers: Integers
Integer the equivalent of a C long Long Integer an unbounded integer value.
>>> 132224 132224 >>> 132323 ** 2 17509376329L >>>
Numbers: Complex
Built into Python Same operations are supported as integer and float
>>> x = 3 + 2j >>> y = -1j >>> x + y (3+1j) >>> x * y (2-3j)
y
x y 4.5 7.5
String Literals
Strings are immutable There is no char type like in C++ or Java + is overloaded to do concatenation
String Formatting
Similar to Cs printf <formatted string> % <elements to insert> Can usually just use %s for everything, it will convert the object to its String representation.
>>> "One, %d, three" % 2 'One, 2, three' >>> "%d, two, %s" % (1,3) '1, two, 3' >>> "%s two %s" % (1, 'three') '1 two three' >>>
Lists
Ordered collection of data Data can be of different types Lists are mutable Issues with shared references and mutability Same subset operations as Strings
>>> x = [1,'hello', (3 + 2j)] >>> x [1, 'hello', (3+2j)] >>> x[2] (3+2j) >>> x[0:2] [1, 'hello']
Tuples
Tuples are immutable versions of lists One strange point is the format to make a tuple with one element: , is needed to differentiate from the mathematical expression (2)
>>> x = (1,2,3) >>> x[1:] (2, 3) >>> y = (2,) >>> y (2,) >>>
Dictionaries
A set of key-value pairs Dictionaries are mutable
>>> d = {1 : 'hello', 'two' : 42, 'blah' : [1,2,3]} >>> d {1: 'hello', 'two': 42, 'blah': [1, 2, 3]} >>> d['blah'] [1, 2, 3]
Dictionaries: Add/Modify
Entries can be changed by assigning to that entry
>>> d {1: 'hello', 'two': 42, 'blah': [1, 2, 3]} >>> d['two'] = 99 >>> d {1: 'hello', 'two': 99, 'blah': [1, 2, 3]}
>>> d {1: 'hello', 2: 'there', 10: 'world'} >>> del(d[2]) >>> d {1: 'hello', 10: 'world'}
Input
The raw_input(string) method returns a line of user input as a string The parameter is used as a prompt The string can be converted by using the conversion methods int(string), float(string), etc.
Input: Example
print "What's your name?" name = raw_input("> ") print "What year were you born?" birthyear = int(raw_input("> ")) print "Hi %s! You are %d years old!" % (name, 2011 - birthyear) ~: python input.py What's your name? > Michael What year were you born? >1980 Hi Michael! You are 31 years old!
Files: Input
inflobj = open(data, r) S = inflobj.read() S = inflobj.read(N) Open the file data for input Read whole file into one String Reads N bytes (N >= 1) Returns a list of line strings
L = inflobj.readlines()
Files: Output
outflobj = open(data, w) Open the file data for writing
outflobj.write(S) outflobj.writelines(L) outflobj.close() Writes the string S to file Writes each of the strings in list L to file Closes the file
Booleans
0 and None are false Everything else is true
True and False are aliases for 1 and 0 respectively
Boolean Expressions
Compound boolean expressions short circuit and and or return one of the elements in the expression Note that when None is returned the interpreter does not print anything
>>> True and False False >>> False or True True >>> 7 and 14 14 >>> None and 2 >>> None or 2 2
Moving to Files
The interpreter is a good place to try out some code, but what you type is not reusable Python code files can be read into the interpreter using the import statement
Moving to Files
In order to be able to find a module called myscripts.py, the interpreter scans the list sys.path of directory names. The module must be in one of those directories.
>>> import sys >>> sys.path ['C:\\Python26\\Lib\\idlelib', 'C:\\WINDOWS\\system32\\python26.zip', 'C:\\Python26\\DLLs', 'C:\\Python26\\lib', 'C:\\Python26\\lib\\plat-win', 'C:\\Python26\\lib\\lib-tk', 'C:\\Python26', 'C:\\Python26\\lib\\site-packages'] >>> import myscripts Traceback (most recent call last): File "<pyshell#2>", line 1, in <module> import myscripts.py ImportError: No module named myscripts.py
No Braces
Python uses indentation instead of braces to determine the scope of expressions All lines must be indented the same amount to be part of the scope (or indented more if part of an inner scope) This forces the programmer to use proper indentation since the indenting is part of the program!
If Statements
import math x = 30 if x <= 15 : y = x + 15 elif x <= 30 : y = x + 30 else : y=x print y = , print math.sin(y)
In file ifstatement.py >>> import ifstatement y = 0.999911860107 >>> In interpreter
While Loops
x=1 while x < 10 : print x x=x+1
In whileloop.py >>> import whileloop 1 2 3 4 5 6 7 8 9 >>> In interpreter
continue
pass
~: python whileelse2.py 1
For Loops
Similar to perl for loops, iterating through a list of values
~: python forloop1.py 1 7 13 2
For Loops
For loops also may have the optional else clause
for x in range(5): print x break else : print 'i got here' elseforloop.py
~: python elseforloop.py 1
Function Basics
def max(x,y) : if x < y : return x else : return y functionbasics.py >>> import functionbasics >>> max(3,5) 5 >>> max('hello', 'there') 'there' >>> max(3, 'hello') 'hello'
Functions are objects The same reference rules hold for them as for other objects
Functions as Parameters
def foo(f, a) : return f(a)
def bar(x) : return x * x funcasparam.py Note that the function foo takes two parameters and applies the first as a function with the second as its parameter
Higher-Order Functions
map(func,seq) for all i, applies func(seq[i]) and returns the corresponding sequence of the calculated results.
>>> from highorder import * >>> lst = range(10) >>> lst [0,1,2,3,4,5,6,7,8,9] >>> map(double,lst) [0,2,4,6,8,10,12,14,16,18]
highorder.py
Higher-Order Functions
filter(boolfunc,seq) returns a sequence containing all those items in seq for which boolfunc is True. def even(x): return ((x%2 == 0) >>> from highorder import * >>> lst = range(10) >>> lst [0,1,2,3,4,5,6,7,8,9] >>> filter(even,lst) [0,2,4,6,8]
highorder.py
Higher-Order Functions
reduce(func,seq) applies func to the items of seq, from left to right, two-at-time, to reduce the seq to a single value. def plus(x,y): return (x + y) >>> from highorder import * >>> lst = [h,e,l,l,o] >>> reduce(plus,lst) hello
highorder.py
funcinfunc.py
Parameters: Defaults
Parameters can be assigned default values They are overridden if a parameter is given for them The type of the default doesnt limit the type of a parameter
>>> def foo(x = 3) : ... print x ... >>> foo() 3 >>> foo(10) 10 >>> foo('hello') hello
Parameters: Named
Call by name Any positional arguments must come before named ones in a call
>>> def foo (a,b,c) : ... print a, b, c ... >>> foo(c = 10, a = 2, b = 14) 2 14 10 >>> foo(3, c = 2, b = 19) 3 19 2
Anonymous Functions
A lambda expression returns a function object The body can only be a simple expression, not complex statements
>>> f = lambda x,y : x + y >>> f(2,3) 5 >>> lst = ['one', lambda x : x * x, 3] >>> lst[1](4) 16
Modules
The highest level structure of Python Each file with the py suffix is a module Each module has its own namespace
Modules: Imports
import mymodule Brings all elements of mymodule in, but must refer to as mymodule.<elem> Imports x from mymodule right into this namespace Imports all elements of mymodule into this namespace
Now we will analyze some Python scripts which are part of the mgTINKER package.
Include most of the existent Python modules for Scientific Computation, graph ploting, etc.
THANK YOU
A simple example
An atom located in some place in 3D space, may be represented by a tuple
atom1 = (atomname, xcoord, ycoord, zcoord) or by a list atom1 = [atomname, xcoord, ycoord , zcoord]
Given a set of atoms a1, a2, , aN, that compose a molecule mol, a geometric conformation of this molecule will be represented by a list of atoms represented as above
mol = [a1, a2, a3, , aN]
Having several conformations of a given molecule, we will be able to write Python functions of our interest.