This document provides an agenda and overview for a Python tutorial presented over multiple sessions. The first session introduces Python and demonstrates how to use the Python interpreter. The second session covers basic Python data structures like lists, modules, input/output, and exceptions. An optional third session discusses unit testing. The document explains that Python is an easy to learn yet powerful programming language that supports object-oriented programming and high-level data structures in an interpreted, dynamic environment.
Presented by Haitham El-Ghareeb in May 2012, the session overview covers Python's characteristics: powerful, easy to learn, object-oriented, and its historical origin.
How to invoke Python, including invocation commands, argument passing, interactive mode, and source code encoding specifics for flexibility in programming.
Introduction to Python's use of numbers and strings, including operations like concatenation, indexing, slicing, immutability, and negative indices.
Comprehensive details on lists: definition, operations (append, extend, insert, pop), and using lists as stacks and queues.
Explains built-in functions: filter, map, and reduce. Highlights list comprehensions for concise list creation based on conditions.
Overview of tuples, sets and dictionaries, discussing their properties, unique keys, operations, and methods involved in managing these data structures.
Python • easy tolearn, powerful programming language. • has efficient high-level data structures and a simple but effective approach to object- oriented programming. – elegant syntax – dynamic typing – interpreted nature,
6.
Whetting Your Appetite •You could write a Unix shell script or Windows batch files for some tasks, but: – Shell scripts are best at moving around files and changing text data, not well-suited for GUI applications or games. • You could write a C/C++/Java program, but: – It can take a lot of development time to get even a first-draft program.
7.
Python • Simpler to use • Available on Windows, Mac OS X, and Unix • Help you get the job done more quickly • Split your program into modules that can be reused • Python is an interpreted language: – Save you considerable time during program development because no compilation and linking is necessary. – Interpreter can be used interactively
8.
Python • Python isextensible: if you know how to program in C it is easy to add a new built-in function or module to the interpreter, • Named after the BBC show “Monty Python’s Flying Circus” and has nothing to do with reptiles.
9.
Using the PythonInterpreter • Python interpreter is usually installed as /usr/local/bin/python • Invoking the Interpreter – A second way of starting the interpreter is python -c command [arg] ..., which executes the statement(s) in command – Some Python modules are also useful as scripts. These can be invoked using python -m module [arg] ..., which executes the source file for module
Source Code Encoding •It is possible to use encodings different than ASCII in Python source files. • The best way to do it is to put one more special comment line right after the #! line to define the source file encoding:
Lists • compound datatype • used to group together other values • The most versatile • can be written as a list of comma-separated values (items) between square brackets. • List items need not all have the same type.
Keyword Arguments • Whena final formal parameter of the form **name is present, it receives a dictionary containing all keyword arguments except for those corresponding to a formal parameter. • This may be combined with a formal parameter of the form *name which receives a tuple containing the positional arguments beyond the formal parameter list. • (*name must occur before **name.)
Coding Style -PEP8 • Use 4-space indentation, and no tabs. • 4 spaces are a good compromise between small indentation (allows greater nesting depth) and large indentation (easier to read). Tabs introduce confusion, and are best left out. • Wrap lines so that they don’t exceed 79 characters. • This helps users with small displays and makes it possible to have several code files side-by-side on larger displays. • Use blank lines to separate functions and classes, and larger blocks of code inside functions.
45.
Coding Style -PEP8 • When possible, put comments on a line of their own. • Use docstrings. • Use spaces around operators and after commas, but not directly inside bracketing constructs: a = f(1, 2) + g(3, 4). • Name your classes and functions consistently; the convention is to use CamelCase for classes and lower_case_with_underscores for functions and methods. Always use self as the name for the first method argument. • Don’t use fancy encodings if your code is meant to be used in international environments. Plain ASCII works best in any case.
46.
Data Structures -Lists • list.append(x) Add an item to the end of the list. • list.extend(L) Extend the list by appending all the items in the given list. • list.insert(i, x) Insert an item at a given position. The first argument is the index of the element before which to insert, so a.insert(0, x) inserts at the front of the list, and a.insert(len(a), x) is equivalent to a.append(x). • list.remove(x) Remove the first item from the list whose value is x. It is an error if there is no such item.
47.
Data Structures -Lists • list.pop([i]) Remove the item at the given position in the list, and return it. If no index is specified, a.pop() removes and returns the last item in the list. • list.index(x) Return the index in the list of the first item whose value is x. It is an error if there is no such item. • list.count(x) Return the number of times x appears in the list. • list.sort() Sort the items of the list, in place. • list.reverse() Reverse the elements of the list, in place.
Functional Programming Tools •There are three built-in functions that are very useful when used with lists: filter(), map(), and reduce().
52.
Filter() • filter(function, sequence)returns a sequence consisting of those items from the sequence for which function(item) is true. • If sequence is a string or tuple, the result will be of the same type; otherwise, it is always a list. • For example, to compute a sequence of numbers not divisible by 2 and 3:
Map() • map(function, sequence)calls function(item) for each of the sequence’s items and returns a list of the return values. • For example, to compute some cubes:
55.
Map() • More thanone sequence may be passed; the function must then have as many arguments as there are sequences and is called with the corresponding item from each sequence (or None if some sequence is shorter than another). For example:
56.
Reduce() • reduce(function, sequence)returns a single value constructed by calling the binary function function on the first two items of the sequence, then on the result and the next item, and so on. • For example, to compute the sum of the numbers 1 through 10:
57.
List Comprehension • Listcomprehensions provide a concise way to create lists. • Common applications are to make new lists where each element is the result of some operations applied to each member of another sequence or iterable, or to create a subsequence of those elements that satisfy a certain condition.
List Comprehension • Alist comprehension consists of brackets containing an expression followed by a for clause, then zero or more for or if clauses. The result will be a new list resulting from evaluating the expression in the context of the for and if clauses which follow it. • For example, this listcomp combines the elements of two lists if they are not equal:
Sets • A setis an unordered collection with no duplicate elements. • Basic uses include membership testing and eliminating duplicate entries. • Set objects also support mathematical operations like union, intersection, difference, and symmetric difference.
67.
Dictionaries • Dictionaries aresometimes found in other languages as “associative memories” or “associative arrays”. • Unlike sequences, which are indexed by a range of numbers, dictionaries are indexed by keys, which can be any immutable type; strings and numbers can always be keys. • Tuples can be used as keys if they contain only strings, numbers, or tuples; if a tuple contains any mutable object either directly or indirectly, it cannot be used as a key.
68.
Dictionaries • You can’tuse lists as keys, since lists can be modified in place using index assignments, slice assignments, or methods like append() and extend(). • It is best to think of a dictionary as an unordered set of key: value pairs, with the requirement that the keys are unique (within one dictionary). • A pair of braces creates an empty dictionary: {}. Placing a comma-separated list of key:value pairs within the braces adds initial key:value pairs to the dictionary; this is also the way dictionaries are written on output.
69.
Dictionaries • The mainoperations on a dictionary are storing a value with some key and extracting the value given the key. • It is also possible to delete a key:value pair with del. If you store using a key that is already in use, the old value associated with that key is forgotten. It is an error to extract a value using a non-existent key. • The keys() method of a dictionary object returns a list of all the keys used in the dictionary, in arbitrary order (if you want it sorted, just apply the sorted() function to it). • To check whether a single key is in the dictionary, use the in keyword.
#8 Interpreter can be used interactively, which makes it easy to experiment with features of the language, to write throw-away programs, or to test functions during bottom-up program development. It is also a handy desk calculator.
#18 Using r in front of string means: Raw String – string will not be processed
#26 Unlike Strings, Lists are MutableWe can Apply len() on listsIt is possible to Nest Lists
#33 The break statement, like in C, breaks out of the smallest enclosing for or while loop.The continue statement, also borrowed from C, continues with the next iteration of the loop.Loop statements may have an else clause; it is executed when the loop terminates through exhaustion of the list (with for) or when the condition becomes false (with while), but not when the loop is terminated by a break statement.
#38 First Block: Function DeclarationSecond Block: ValidThird Block: Non-Valid
#43 By popular demand, a few features commonly found in functional programming languages like Lisp have been added to Python. With the lambda keyword, small anonymous functions can be created. Here’s a function that returns the sum of its two arguments: lambda a, b: a+b. Lambda forms can be used wherever function objects are required. They are syntactically restricted to a single expression. Semantically, they are just syntactic sugar for a normal function definition. Like nested function definitions, lambda forms can reference variables from the containing scope:
#50 First in Last Out, The list methods make it very easy to use a list as a stack, where the last element added is the first element retrieved (“last-in, first-out”). To add an item to the top of the stack, use append(). To retrieve an item from the top of the stack, use pop() without an explicit index.
#51 It is also possible to use a list as a queue, where the first element added is the first element retrieved (“first-in, first-out”); however, lists are not efficient for this purpose. While appends and pops from the end of list are fast, doing inserts or pops from the beginning of a list is slow (because all of the other elements have to be shifted by one).
#74 A = [1,2,3]B = [4,5,6]C = zip(A,B)F,G = zip(*C) #this is unzipping
#77 Note that comparing objects of different types is legal. The outcome is deterministic but arbitrary: the types are ordered by their name. Thus, a list is always smaller than a string, a string is always smaller than a tuple, etc. [1] Mixed numeric types are compared according to their numeric value, so 0 equals 0.0, etc.