Python Quick Guide
Python Quick Guide
Python Quick Guide
http://www.tutorialspoint.com/python/python_quick_guide.htm
Copyright tutorialspoint.com
PYTHON OVERVIEW:
Python is a high-level, interpreted, interactive and object oriented-scripting language.
Python is Interpreted
Python is Interactive
Python is Object-Oriented
Python is Beginner's Language
Python was developed by Guido van Rossum in the late eighties and early nineties at the National
Research Institute for Mathematics and Computer Science in the Netherlands.
Python's feature highlights include:
Easy-to-learn
Easy-to-read
Easy-to-maintain
A broad standard library
Interactive Mode
Portable
Extendable
Databases
GUI Programming
Scalable
GETTING PYTHON:
The most up-to-date and current source code, binaries, documentation, news, etc. is available at
the official website of Python:
Python Official Website : http://www.python.org/
You can download the Python documentation from the following site. The documentation is
available in HTML, PDF, and PostScript formats.
Python Documentation Website : www.python.org/doc/
Type the following text to the right of the Python prompt and press the Enter key:
>>> print "Hello, Python!";
PYTHON IDENTIFIERS:
A Python identifier is a name used to identify a variable, function, class, module, or other object.
An identifier starts with a letter A to Z or a to z or an underscore (_) followed by zero or more
letters, underscores, and digits (0 to 9).
Python does not allow punctuation characters such as @, $, and % within identifiers. Python is a
case sensitive programming language. Thus Manpower and manpower are two different
identifiers in Python.
Here are following identifier naming convention for Python:
Class names start with an uppercase letter and all other identifiers with a lowercase letter.
Starting an identifier with a single leading underscore indicates by convention that the
identifier is meant to be private.
Starting an identifier with two leading underscores indicates a strongly private identifier.
If the identifier also ends with two trailing underscores, the identifier is a language-defined
special name.
RESERVED WORDS:
The following list shows the reserved words in Python. These reserved words may not be used as
constant or variable or any other identifier names.
and
exec
not
assert
finally
or
break
for
pass
class
from
continue
global
raise
def
if
return
del
import
try
elif
in
while
else
is
with
except
lambda
yield
The number of spaces in the indentation is variable, but all statements within the block must be
indented the same amount. Both blocks in this example are fine:
if True:
print "True"
else:
print "False"
MULTI-LINE STATEMENTS:
Statements in Python typically end with a new line. Python does, however, allow the use of the line
continuation character (\) to denote that the line should continue. For example:
total = item_one + \
item_two + \
item_three
Statements contained within the [], {}, or () brackets do not need to use the line continuation
character. For example:
days = ['Monday', 'Tuesday', 'Wednesday',
'Thursday', 'Friday']
QUOTATION IN PYTHON:
Python accepts single ('), double (") and triple (''' or """) quotes to denote string literals, as long as
the same type of quote starts and ends the string.
The triple quotes can be used to span the string across multiple lines. For example, all the
following are legal:
word = 'word'
sentence = "This is a sentence."
paragraph = """This is a paragraph. It is
made up of multiple lines and sentences."""
COMMENTS IN PYTHON:
A hash sign (#) that is not inside a string literal begins a comment. All characters after the # and
up to the physical line end are part of the comment, and the Python interpreter ignores them.
#!/usr/bin/python
# First comment
print "Hello, Python!";
# second comment
This is a comment.
This is a comment, too.
This is a comment, too.
I said that already.
Example:
if expression :
suite
elif expression :
suite
else :
suite
# An integer assignment
# A floating point
# A string
print counter
print miles
print name
PYTHON NUMBERS:
Number objects are created when you assign a value to them. For example:
var1 = 1
var2 = 10
long
float
complex
10
51924361L
0.0
3.14j
100
-0x19323L
15.20
45.j
-786
0122L
-21.9
9.322e-36j
080
0xDEFABCECBDAECBFBAEL
32.3+e18
.876j
-0490
535633629843L
-90.
-.6545+0J
-0x260
-052318172735L
-32.54e100
3e+26J
0x69
-4721885298529L
70.2-E12
4.53e-7j
PYTHON STRINGS:
Strings in Python are identified as a contiguous set of characters in between quotation marks.
Example:
str = 'Hello World!'
print str
print
print
print
print
print
str[0]
str[2:5]
str[2:]
str * 2
str + "TEST"
#
#
#
#
#
Prints
Prints
Prints
Prints
Prints
PYTHON LISTS:
Lists are the most versatile of Python's compound data types. A list contains items separated by
commas and enclosed within square brackets ([]).
#!/usr/bin/python
list = [ 'abcd', 786 , 2.23, 'john', 70.2 ]
tinylist = [123, 'john']
print
print
print
print
print
print
list
# Prints complete list
list[0]
# Prints first element of the list
list[1:3]
# Prints elements starting from 2nd to 4th
list[2:]
# Prints elements starting from 3rd element
tinylist * 2 # Prints list two times
list + tinylist # Prints concatenated lists
PYTHON TUPLES:
A tuple is another sequence data type that is similar to the list. A tuple consists of a number of
values separated by commas. Unlike lists, however, tuples are enclosed within parentheses.
Tuples can be thought of as read-only lists.
tuple = ( 'abcd', 786 , 2.23, 'john', 70.2
tinytuple = (123, 'john')
print
print
print
print
print
print
tuple
# Prints complete list
tuple[0]
# Prints first element of the list
tuple[1:3]
# Prints elements starting from 2nd to 4th
tuple[2:]
# Prints elements starting from 3rd element
tinytuple * 2
# Prints list two times
tuple + tinytuple # Prints concatenated lists
PYTHON DICTIONARY:
Python 's dictionaries are hash table type. They work like associative arrays or hashes found in Perl
and consist of key-value pairs.
tinydict = {'name': 'john','code':6734, 'dept': 'sales'}
print dict['one']
# Prints value for 'one' key
print dict[2]
# Prints value for 2 key
print tinydict
# Prints complete dictionary
print tinydict.keys()
# Prints all the keys
print tinydict.values() # Prints all the values
Description
Example
a + b will give 30
b / a will give 2
b % a will give 0
**
//
==
(a == b) is not true.
!=
(a != b) is true.
<>
>
<
(a < b) is true.
>=
<=
(a <= b) is true.
+=
c += a is equivalent to c = c + a
-=
c -= a is equivalent to c = c - a
*=
c *= a is equivalent to c = c * a
/=
c /= a is equivalent to c = c / a
%=
c %= a is equivalent to c = c %
a
**=
c **= a is equivalent to c = c **
//=
c //= a is equivalent to c = c // a
&
<<
>>
and
(a and b) is true.
or
(a or b) is true.
not
in
x in y, here in results in a 1 if x
is a member of sequence y.
not in
is
is not
Description
**
~+-
+-
>> <<
&
Bitwise 'AND'
^|
Comparison operators
<> == !=
Equality operators
Assignment operators
is is not
Identity operators
in not in
Membership operators
note or and
Logical operators
THE IF STATEMENT:
The syntax of the if statement is:
if expression:
statement(s)
elif expression3:
statement(s)
else
statement(s)
elif expression4:
statement(s)
else:
statement(s)
# First Example
break
print 'Current Letter :', letter
var = 10
# Second Example
while var > 0:
print 'Current variable value :', var
var = var -1
if var == 5:
break
print "Good bye!"
DEFINING A FUNCTION
You can define functions to provide the required functionality. Here are simple rules to define a
function in Python:
Function blocks begin with the keyword def followed by the function name and parentheses (
( ) ).
Any input parameters or arguments should be placed within these parentheses. You can also
define parameters inside these parentheses.
The first statement of a function can be an optional statement - the documentation string of
the function or docstring.
The code block within every function starts with a colon (:) and is indented.
The statement return [expression] exits a function, optionally passing back an expression to
the caller. A return statement with no arguments is the same as return None.
Syntax:
def functionname( parameters ):
"function_docstring"
function_suite
return [expression]
By default, parameters have a positional behavior, and you need to inform them in the same order
that they were defined.
Example:
Here is the simplest form of a Python function. This function takes a string as input parameter and
prints it on standard screen.
def printme( str ):
"This prints a passed string into this function"
print str
return
CALLING A FUNCTION
Defining a function only gives it a name, specifies the parameters that are to be included in the
function, and structures the blocks of code.
Once the basic structure of a function is finalized, you can execute it by calling it from another
function or directly from the Python prompt.
Following is the example to call printme() function:
#!/usr/bin/python
# Function definition is here
def printme( str ):
"This prints a passed string into this function"
print str;
return;
# Now you can call printme function
printme("I'm first call to user defined function!");
printme("Again second call to the same function");
PYTHON - MODULES:
A module allows you to logically organize your Python code. Grouping related code into a module
makes the code easier to understand and use.
A module is a Python object with arbitrarily named attributes that you can bind and reference.
Simply, a module is a file consisting of Python code. A module can define functions, classes, and
variables. A module can also include runnable code.
Example:
The Python code for a module named aname normally resides in a file named aname.py. Here's
an example of a simple module, hello.py
def print_func( par ):
print "Hello : ", par
return
When the interpreter encounters an import statement, it imports the module if the module is
present in the search path. A search path is a list of directories that the interpreter searches before
importing a module.
Example:
To import the module hello.py, you need to put the following command at the top of the script:
#!/usr/bin/python
# Import module hello
import hello
# Now you can call defined function that module as follows
hello.print_func("Zara")
A module is loaded only once, regardless of the number of times it is imported. This prevents the
module execution from happening over and over again if multiple imports occur.
Syntax:
file object = open(file_name [, access_mode][, buffering])
Description
Opens a file for reading only. The file pointer is placed at the beginning of the file. This
is the default mode.
rb
Opens a file for reading only in binary format. The file pointer is placed at the
beginning of the file. This is the default mode.
r+
Opens a file for both reading and writing. The file pointer will be at the beginning of the
file.
rb+
Opens a file for both reading and writing in binary format. The file pointer will be at the
beginning of the file.
Opens a file for writing only. Overwrites the file if the file exists. If the file does not
exist, creates a new file for writing.
wb
Opens a file for writing only in binary format. Overwrites the file if the file exists. If the
file does not exist, creates a new file for writing.
w+
Opens a file for both writing and reading. Overwrites the existing file if the file exists. If
the file does not exist, creates a new file for reading and writing.
wb+
Opens a file for both writing and reading in binary format. Overwrites the existing file if
the file exists. If the file does not exist, creates a new file for reading and writing.
Opens a file for appending. The file pointer is at the end of the file if the file exists. That
is, the file is in the append mode. If the file does not exist, it creates a new file for
writing.
ab
Opens a file for appending in binary format. The file pointer is at the end of the file if
the file exists. That is, the file is in the append mode. If the file does not exist, it creates
a new file for writing.
a+
Opens a file for both appending and reading. The file pointer is at the end of the file if
the file exists. The file opens in the append mode. If the file does not exist, it creates a
new file for reading and writing.
ab+
Opens a file for both appending and reading in binary format. The file pointer is at the
end of the file if the file exists. The file opens in the append mode. If the file does not
exist, it creates a new file for reading and writing.
Attribute
Description
file.closed
file.mode
file.name
file.softspace
FILE POSITIONS:
The tell() method tells you the current position within the file in other words, the next read or write
will occur at that many bytes from the beginning of the file:
The seek(offset[, from]) method changes the current file position. The offset argument indicates
the number of bytes to be moved. The from argument specifies the reference position from where
the bytes are to be moved.
If from is set to 0, it means use the beginning of the file as the reference position and 1 means use
the current position as the reference position and if it is set to 2 then the end of the file would be
taken as the reference position.
DIRECTORIES IN PYTHON:
Syntax:
os.mkdir("newdir")
Syntax:
os.chdir("newdir")
Syntax:
os.getcwd()
Syntax:
os.rmdir('dirname')
HANDLING AN EXCEPTION:
If you have some suspicious code that may raise an exception, you can defend your program by
placing the suspicious code in a try: block. After the try: block, include an except: statement,
followed by a block of code which handles the problem as elegantly as possible.
Syntax:
Here is simple syntax of try....except...else blocks:
try:
Do you operations here;
......................
except ExceptionI:
If there is ExceptionI, then execute this block.
except ExceptionII:
If there is ExceptionII, then execute this block.
......................
else:
If there is no exception then execute this block.
Here are few important points about the above mentioned syntax:
A single try statement can have multiple except statements. This is useful when the try block
contains statements that may throw different types of exceptions.
You can also provide a generic except clause, which handles any exception.
After the except clause(s), you can include an else-clause. The code in the else-block
executes if the code in the try: block does not raise an exception.
The else-block is a good place for code that does not need the try: block's protection.
STANDARD EXCEPTIONS:
Here is a list standard Exceptions available in Python: Standard Exceptions
ARGUMENT OF AN EXCEPTION:
An exception can have an argument, which is a value that gives additional information about the
problem. The contents of the argument vary by exception. You capture an exception's argument
by supplying a variable in the except clause as follows:
try:
Do you operations here;
......................
except ExceptionType, Argument:
RAISING AN EXCEPTIONS:
You can raise exceptions in several ways by using the raise statement. The general syntax for the
raise statement.
Syntax:
raise [Exception [, args [, traceback]]]
USER-DEFINED EXCEPTIONS:
Python also allows you to create your own exceptions by deriving classes from the standard built-in
exceptions.
Here is an example related to RuntimeError. Here a class is created that is subclassed from
RuntimeError. This is useful when you need to display more specific information when an
exception is caught.
In the try block, the user-defined exception is raised and caught in the except block. The variable e
is used to create an instance of the class Networkerror.
class Networkerror(RuntimeError):
def __init__(self, arg):
self.args = arg
So once you defined above class, you can raise your exception as follows:
try:
raise Networkerror("Bad hostname")
except Networkerror,e:
print e.args
CREATING CLASSES:
The class statement creates a new class definition. The name of the class immediately follows the
keyword class followed by a colon as follows:
class ClassName:
'Optional class documentation string'
class_suite
The class has a documentation string which can be access via ClassName.__doc__.
The class_suite consists of all the component statements, defining class members, data
attributes, and functions.
ACCESSING ATTRIBUTES:
You access the object's attributes using the dot operator with object. Class variable would be
CLASS INHERITANCE:
Instead of starting from scratch, you can create a class by deriving it from a preexisting class by
listing the parent class in parentheses after the new class name:
The child class inherits the attributes of its parent class, and you can use those attributes as if they
were defined in the child class. A child class can also override data members and methods from
the parent.
Syntax:
Derived classes are declared much like their parent class; however, a list of base classes to inherit
from are given after the class name:
class SubClassName (ParentClass1[, ParentClass2, ...]):
'Optional class documentation string'
class_suite
OVERRIDING METHODS:
You can always override your parent class methods. One reason for overriding parent's methods is
because you may want special or different functionality in your subclass.
class Parent:
# define parent class
def myMethod(self):
# instance of child
# child calls overridden method
__del__( self )
Destructor, deletes an object
Sample Call : dell obj
__repr__( self )
Evaluatable string representation
Sample Call : repr(obj)
__str__( self )
Printable string representation
Sample Call : str(obj)
__cmp__ ( self, x )
Object comparison
Sample Call : cmp(obj, x)
OVERLOADING OPERATORS:
Suppose you've created a Vector class to represent two-dimensional vectors. What happens when
you use the plus operator to add them? Most likely Python will yell at you.
You could, however, define the __add__ method in your class to perform vector addition, and then
the plus operator would behave as per expectation:
#!/usr/bin/python
class Vector:
def __init__(self, a, b):
self.a = a
self.b = b
def __str__(self):
return 'Vector (%d, %d)' % (self.a, self.b)
def __add__(self,other):
return Vector(self.a + other.a, self.b + other.b)
v1 = Vector(2,10)
v2 = Vector(5,-2)
print v1 + v2
DATA HIDING:
An object's attributes may or may not be visible outside the class definition. For these cases, you
can name attributes with a double underscore prefix, and those attributes will not be directly
visible to outsiders:
#!/usr/bin/python
class JustCounter:
__secretCount = 0
def count(self):
self.__secretCount += 1
print self.__secretCount
counter = JustCounter()
counter.count()
counter.count()
print counter.__secretCount
A regular expression is a special sequence of characters that helps you match or find other strings
or sets of strings, using a specialized syntax held in a pattern. Regular expressions are widely used
in UNIX world.
The module re provides full support for Perl-like regular expressions in Python. The re module
raises the exception re.error if an error occurs while compiling or using a regular expression.
We would cover two important functions which would be used to handle regular expressions. But a
small thing first: There are various characters which would have special meaning when they are
used in regular expression. To avoid any confusion while dealing with regular expressions we
would use Raw Strings as r'expression'.
Description
pattern
string
flags
You can specifiy different flags using exclusive OR (|). These are
modifiers which are listed in the table below.
The re.match function returns a match object on success, None on failure. We would use
group(num) or groups() function of match object to get matched expression.
Match Object Methods
Description
group(num=0)
groups()
This function search for first occurrence of RE pattern within string with optional flags.
Here is the syntax for this function:
re.string(pattern, string, flags=0)
Description
pattern
string
flags
You can specifiy different flags using exclusive OR (|). These are
modifiers which are listed in the table below.
The re.search function returns a match object on success, None on failure. We would use
group(num) or groups() function of match object to get matched expression.
Match Object Methods
Description
group(num=0)
groups()
MATCHING VS SEARCHING:
Python offers two different primitive operations based on regular expressions: match checks for a
match only at the beginning of the string, while search checks for a match anywhere in the string
(this is what Perl does by default).
Syntax:
sub(pattern, repl, string, max=0)
This method replace all occurrences of the RE pattern in string with repl, substituting all
occurrences unless max provided. This method would return modified string.
Description
re.I
re.L
re.M
Makes $ match the end of a line (not just the end of the string) and makes ^ match
the start of any line (not just the start of the string).
re.S
re.U
Interprets letters according to the Unicode character set. This flag affects the
behavior of \w, \W, \b, \B.
re.X
Permits "cuter" regular expression syntax. It ignores whitespace (except inside a set
[] or when escaped by a backslash), and treats unescaped # as a comment marker.
REGULAR-EXPRESSION PATTERNS:
Except for control characters, (+ ? . * ^ $ ( ) [ ] { } | \), all characters match themselves. You
can escape a control character by preceding it with a backslash.
Following table lists the regular expression syntax that is available in Python.
Pattern
Description
[...]
[^...]
re*
re+
re{ n}
re{ n,}
re{ n, m}
a| b
Matches either a or b.
(re)
(?imx)
(?-imx)
(?: re)
(?imx: re)
(?-imx: re)
(?#...)
Comment.
(?= re)
(?! re)
(?> re)
\w
\W
\s
\S
Matches nonwhitespace.
\d
\D
Matches nondigits.
\A
\Z
\z
\G
\b
\B
\1...\9
\10
REGULAR-EXPRESSION EXAMPLES:
Literal characters:
Example
Description
python
Match "python".
Character classes:
Example
Description
[Pp]ython
rub[ye]
[aeiou]
[0-9]
[a-z]
[A-Z]
[a-zA-Z0-9]
[^aeiou]
[^0-9]
Description
\d
\D
\s
\S
\w
\W
Repetition Cases:
Example
Description
ruby?
ruby*
ruby+
\d{3}
\d{3,}
\d{3,5}
Match 3, 4, or 5 digits
Nongreedy repetition:
This matches the smallest number of repetitions:
Example
Description
<.*>
<.*?>
No group: + repeats \d
(\D\d)+
([Pp]ython(, )?)+
Backreferences:
This matches a previously matched group again:
Example
Description
([Pp])ython&\1ails
(['"])[^\1]*\1
Alternatives:
Example
Description
python|perl
rub(y|le))
Python(!+|\?)
Anchors:
This need to specify match position
Example
Description
^Python
Python$
\APython
Python\Z
\bPython\b
\brub\B
\B is nonword boundary: match "rub" in "rube" and "ruby" but not alone
Python(?=!)
Python(?!!)
R(?i)uby
R(?i:uby)
Same as above
rub(?:y|le))