KEMBAR78
TGlasser IntroToPython | PDF | Control Flow | Variable (Computer Science)
0% found this document useful (0 votes)
359 views118 pages

TGlasser IntroToPython

Game Scripting with python - Tim Glasser Contents Week 1 Lecture: Intro to Python and IDLE Lab: Start Overview assignments Homework: Finish Overview assignments. Python is a dynamic object-oriented programming language that runs on windows, Linux / Unix, Mac OS X, Palm Handhelds, and Nokia mobile phones. It is distributed under an OSIapproved Open Source license that makes it free for programmers to use, even for commercial products.

Uploaded by

Hiếu Nguyễn
Copyright
© Attribution Non-Commercial (BY-NC)
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
359 views118 pages

TGlasser IntroToPython

Game Scripting with python - Tim Glasser Contents Week 1 Lecture: Intro to Python and IDLE Lab: Start Overview assignments Homework: Finish Overview assignments. Python is a dynamic object-oriented programming language that runs on windows, Linux / Unix, Mac OS X, Palm Handhelds, and Nokia mobile phones. It is distributed under an OSIapproved Open Source license that makes it free for programmers to use, even for commercial products.

Uploaded by

Hiếu Nguyễn
Copyright
© Attribution Non-Commercial (BY-NC)
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 118

Game Scripting with Python Tim Glasser

Game Scripting with Python Tim Glasser

Game Scripting with Python Tim Glasser

Contents
Week 1 Lecture: Intro to Python and IDLE Lab: Start Overview assignments Homework: Finish Overview assignments. Week 2: Lecture: Syntax Lab: Syntax assignments Homework: Complete Syntax assignments Week 3: Lecture: Control Flow Lab: Control Flow assignments Homework: Complete Control Flow assignments Week 4: Lecture: Functions Lab: Functions assignments Homework: Complete Functions assignments Week 5: Lecture: Numbers and Strings in Detail Lab: Numbers and Strings in Detail assignments Homework: Complete Numbers and Strings in Detail assignments Week 6: Lecture: Lists, Dictionaries and Tuples Lab: Lists, Dictionaries and Tuples assignments Homework: Complete Lists, Dictionaries and Tuples assignments Week 7: Lecture: Object Oriented Programming Lab: Start end term project with PyGame Homework: End term project with PyGame

Game Scripting with Python Tim Glasser Week 8: Lecture: Input and Output Lab: Input and Output assignments Homework: Complete Input and Output assignments Week 9: Lecture: Modules Lab: Modules assignments Homework: Complete Modules assignments Week 10: Lecture: Handling Errors Lab: Handling Errors assignments Homework: Complete Handling Errors assignments Week 11: Lecture: Summary of the Course Lab: Show and tell end-term project Homework: Appendix A Tic Tac Toe Appendix B PyGame Appendix C Object Oriented Programming with Pygame

Game Scripting with Python Tim Glasser

Week 1 - Introduction
Why Python? Python is a dynamic object-oriented programming language that runs on Windows, Linux/Unix, Mac OS X, Palm Handhelds, and Nokia mobile phones. Python has also been ported to the Java and .NET virtual machines. It is distributed under an OSIapproved open source license that makes it free for programmers to use, even for commercial products. Open Source/Free Manages Complexity Object Oriented Powerful Expandability Packages Industry Darling MotionBuilder Maya Major Studios

A Simple Example Lets write a simple Python program in a script. All python files will have extension .py. So put the following source code in a test.py file. #!/usr/bin/python print "Hello, Python!" This will produce following result: Hello, Python! You have seen a simple Python program in interactive as well as script mode, now lets see few basic concepts related to Python Syntax:

Game Scripting with Python Tim Glasser

Another Example Here is another slightly more complex example. Suppose I wish to find the value of:

g ( x) =

x 1 x2

for x = 0.0, 0.1, ..., 0.9. I could find these numbers by placing the following code in a file, say fme.py, and then running the program by typing python fme.py at the command-line prompt. for i in range(10): x = 0.1*i print x print x/(1-x*x)

This will produce following output: 0.0 0.0 0.1 0.10101010101 0.2 0.208333333333 0.3 0.32967032967 0.4 0.47619047619 0.5 0.666666666667 0.6 0.9375 0.7 1.37254901961 0.8 2.22222222222 0.9

Game Scripting with Python Tim Glasser 4.73684210526 How does the program work? First, Pythons range() function is an example of the use of lists. Lists are absolutely fundamental to Python. Resist the temptation to treat it as the English word list, instead always think about the Python construct list. Pythons range() function returns a list of consecutive integers, in this case the list [0,1,2,3,4,5,6,7,8,9]. As you can guess, this will result in 10 iterations of the loop, with i first being 0, then 1, etc. The code:

for i in [2,3,6]: Would give us three iterations, with i taking on the values 2, 3 and 6. A More Complex Example This code reads a text file, specified on the command line, and prints out the number of lines and words in the file:

# reads in the text file whose name is specified on the # command line, and reports the number of lines and words import sys def checkline(): global l global wordcount w = l.split() wordcount += len(w) wordcount = 0 f = open(sys.argv[1]) flines = f.readlines() linecount = len(flines) for l in flines: checkline() print linecount, wordcount

Say for example the program is in the file tme.py, and we have a text file test.txt with contents:

Game Scripting with Python Tim Glasser This is an example of a text file. (There are five lines in all, the first and last of which are blank) If we run this program on this file, the result is: python tme.py x 5 8 There are some features in this program which were not in the first example: use of command-line arguments file-manipulation mechanisms more on lists function definition library importation introduction to scope

Introduction to Command-Line Arguments First, lets explain sys.argv. Python includes a module named sys, one of whose member variables is argv. The latter is a Python list, element 0 of the list is the script name, in this case tme.py. In our example here, in which we run our program on the file x, sys.argv[1] will be the string x (strings in Python are generally specified with single quote marks). Since sys is not loaded automatically, we needed the import line. In Python, those command-line arguments are of course strings. If those strings are supposed to represent numbers, we could convert them. If we had, say, an integer argument, in Python, wed use int(). For floating-point, in Python wed use float() Introduction to File Manipulation The line: f = open(sys.argv[1]) created an object of file class ( Python is an Object Oriented Language), and assigned it to f . The readlines() function of the file class returns a list (keep in mind, list is an official Python term) consisting of the lines in the file. Each line is a string, and that string is one element of the list. Since the file here consisted of five lines, the value returned by calling readlines() is the five-element list [,This is an,example of a,text file,] (Though not visible here, there is an end-of-line character in each string.) 7

Game Scripting with Python Tim Glasser

Declaration, Scope and Functions Variables are not declared in Python. A variable is created when the first assignment to it is executed. For example, in the program tme.py above, the variable flines does not exist until the statement: flines = f.readlines() is executed. Also a variable which has not been assigned a value yet has the value None (and this can be assigned to a variable, tested for in an if statement, etc.). Local v Global If a function includes any code which assigns to a variable, then that variable is assumed to be local. So, in the code for checkline(), Python would assume that l and wordcount are local to checkline() if we dont inform it otherwise. We do the latter with the global keyword. Built-In Functions The function len() returns the number of elements in a list, in this case, the number of lines in the file (since readlines() returned a list in which each element consisted of one line of the file). The method ( a method is a function contained in a class) split() is a member of the string class. It splits a string into a list of words. So, for instance, in checkline() when l is This is an then the list w will be equal to [This,is,an]. (In the case of the first line, which is blank, w will be equal to the empty list, [].) Types of Variables/Values As is typical in scripting languages, type in the sense of C/C++ int or float is not declared in Python. However, the Python interpreter does internally keep track of the type of all objects. Thus Python variables dont have types, but their values do. In other words, a variable x might be bound to an integer at one point in your program and then be rebound to a class instance at another point. In other words, Python uses dynamic typing. Pythons types include notions of scalars, sequences (lists or tuples) and dictionaries Strings v Numerical Values Python does distinguish between numbers and their string representations. The functions eval()and str() can be used to convert back and forth. For example: 2 + 1.5

Game Scripting with Python Tim Glasser causes an error, but 2 + eval(1.5) 3.5 and str(2 + eval(1.5)) 3.5 There are also int() to convert from strings to integers, and float(), to convert from strings to floating-point values: n = int(32) 32 x = float(5.28) 5.2800000000000002 Sequences Lists are actually special cases of sequences, which are all array-like but with some differences. Note though, the commonalities; all of the following (some to be explained below) apply to any sequence type: The default is to use blank characters as the splitting criterion, but other characters or strings can be used. The use of brackets to denote individual elements (e.g. x[i]) The built-in len()function to give the number of elements in the sequence Slicing operations, i.e. the extraction of subsequences The use of + and * operators for concatenation and replication

The Use of name In some cases, it is important to know whether a module is being executed on its own, or via import. This can be determined through Pythons built-in variable name , as follows. Whatever the Python interpreter is running is called the top-level program. If, for instance, you type python fme.py then the code in fme.py is the top-level program. The top-level program is known to the interpreter as __main__ , and the module currently being run is referred to as the variable __name__. So, to test whether a given module is running on its own, versus having been imported by other code, we check whether name is main . If the answer is yes, you are in the top level, and your code was not imported; otherwise it was imported. For example, lets add print __name__ to the code in fme.py: 9

Game Scripting with Python Tim Glasser

print __name__ for i in range(10): x = 0.1*i print x print x/(1-x*x) Lets run the program twice. First, when we run it on its own as python fme.py

__main__ 0.0 0.0 0.1 0.10101010101 0.2 0.208333333333 0.3 0.32967032967 ... [remainder of output not shown] Now look what happens if we run it from within Pythons interactive interpreter: >>> __name__ __main__ >>> import fme

Fme 0.0 0.0 0.1 0.10101010101 0.2 0.208333333333 0.3 0.32967032967 ... [remainder of output not shown]

Our modules statement print __name__ printed out main the first time, but printed out fme the second time. So, lets change our example above to fme2.py:

10

Game Scripting with Python Tim Glasser def main(): for i in range(10): x = 0.1*i print x print x/(1-x*x) if __name__ == __main__: main()

The advantage of this is that when we import this module, the code wont be executed right away. Instead,fme2.main() must be called, either by the importing module or by the interactive Python interpreter. Here is an example of the latter:

>>> import fme2 >>> fme2.main() 0.0 0.0 0.1 0.10101010101 0.2 0.208333333333 0.3 0.32967032967 0.4 0.47619047619 ...

Among other things, this will be a vital point in using debugging tools. So get in the habit of always setting up access to main() in this manner in your programs. Exercises: 1.1) What is the difference between using "+" and "," in a print statement? Try it! 1.2) Write a program that asks two people for their names; stores the names in variables called name1 and name2; says hello to both of them.

11

Game Scripting with Python Tim Glasser 1.3) Write a script that asks a user for a number. The script adds 3 to that number. Then multiplies the result by 2, subtracts 4, subtracts twice the original number, adds 3, then prints the result. 1.4) Write a script that defines a card ( name value and suit). It should ask the user how many cards they want, then display the users random hand. 1.5) Create a Python script that uses a while loop to read in a line of text that the user enters, then print it back again, until the user enters quit 1.6) Write a python script that prints the following figure

| / @ @ * \"""/

12

Game Scripting with Python Tim Glasser

Week 2 Syntax Overview


Invoking the interpreter with a script parameter begins execution of the script and continues until the script is finished. When the script is finished, the interpreter is no longer active. 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. Keywords contain lowercase letters only. And Assert Break Class Continue Def exec finally for from global if 13 not or pass print raise return

Game Scripting with Python Tim Glasser Del Elif Else Except Lines and Indentation: One of the first caveats programmers encounter when learning Python is the fact that there are no braces to indicate blocks of code for class and function definitions or flow control. Blocks of code are denoted by line indentation, which is rigidly enforced. 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" However, the second block in this example will generate an error: if True: print "Answer" print "True" else: print "Answer" print "False" Thus, in Python all the continuous lines indented with similar number of spaces would form a block. Following is the example having various statement blocks: Note: Don't try to understand logic or different functions used. Just make sure you understand the various blocks even if they are without braces. #!/usr/bin/python import sys try: # open file stream file = open(file_name, "w") except IOError: import in is lambda try while with yield

14

Game Scripting with Python Tim Glasser print "There was an error writing to", file_name sys.exit() print "Enter '", file_finish, print "' When finished" while file_text != file_finish: file_text = raw_input("Enter text: ") if file_text == file_finish: # close the file file.close break file.write(file_text) file.write("\n") file.close() file_name = raw_input("Enter filename: ") if len(file_name) == 0: print "Next time please enter something" sys.exit() try: file = open(file_name, "r") except IOError: print "There was an error reading file" sys.exit() file_text = file.read() file.close() print file_text

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']

15

Game Scripting with Python Tim Glasser 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 will produce following result: Hello, Python! A comment may be on the same line after a statement or expression: name = "Madisetti" # This is again comment You can comment multiple lines as follows: # This is a comment. # This is a comment, too. # This is a comment, too. # I said that already.

Using Blank Lines:

16

Game Scripting with Python Tim Glasser A line containing only white-space, possibly with a comment, is known as a blank line, and Python totally ignores it. In an interactive interpreter session, you must enter an empty physical line to terminate a multi-line statement. Waiting for the User: The following line of the program displays the prompt, Press the enter key to exit, and then waits for the user to press the Enter key: #!/usr/bin/python raw_input("\n\nPress the enter key to exit.") Here "\n\n" are being used to create two new lines before displaying the actual line. Once the user presses the key, the program ends. This is a nice trick to keep a console window open until the user is done with an application. Multiple Statements on a Single Line: The semicolon ( ; ) allows multiple statements on the single line given that neither statement starts a new code block. Here is a sample snip using the semicolon: import sys; x = 'foo'; sys.stdout.write(x + '\n') Multiple Statement Groups as Suites: Groups of individual statements making up a single code block are called suites in Python. Compound or complex statements, such as if, while, def, and class, are those which require a header line and a suite. Header lines begin the statement (with the keyword) and terminate with a colon ( : ) and are followed by one or more lines which make up the suite. Example: if expression : suite elif expression : suite else :

17

Game Scripting with Python Tim Glasser suite

Variables
Variables are nothing but reserved memory locations to store values. This means that when you create a variable you reserve some space in memory. Based on the data type of a variable, the interpreter allocates memory and decides what can be stored in the reserved memory. Therefore, by assigning different data types to variables, you can store integers, decimals, or characters in these variables. Assigning Values to Variables: Python variables do not have to be explicitly declared to reserve memory space. The declaration happens automatically when you assign a value to a variable. The equal sign (=) is used to assign values to variables. The variable is stored as an object, the object has a name, value and data type. Python code number = 1 name value data type int

greeting = "hello" greeting "hello" string number 1

The operand to the left of the = operator is the name of the variable, and the operand to the right of the = operator is the value stored in the variable. For example: #!/usr/bin/python counter = 100 miles = 1000.0 name = "John" print counter print miles print name Here 100, 1000.0 and "John" are the values assigned to counter, miles and name variables, respectively. While running this program, this will produce following result: 100 1000.0 John # An integer assignment # A floating point # A string

18

Game Scripting with Python Tim Glasser Multiple Assignments: You can also assign a single value to several variables simultaneously. For example: a=b=c=1 Here, an integer object is created with the value 1, and all three variables are assigned to the same memory location. You can also assign multiple objects to multiple variables. For example: a, b, c = 1, 2, "john" Here two integer objects with values 1 and 2 are assigned to variables a and b, and one string object with the value "john" is assigned to the variable c. Simple Data Types: The data stored in memory can be of many types. For example, a person.s age is stored as a numeric value and his or her address is stored as alphanumeric characters. Python has some standard types that are used to define the operations possible on them and the storage method for each of them. Python has five standard data types: Numbers String List Tuple Dictionary Python Numbers: Number data types store numeric values. They are immutable data types, which mean that changing the value of a number data type results in a newly allocated object. Number objects are created when you assign a value to them. For example: var1 = 1 var2 = 10 You can also delete the reference to a number object by using the del statement. The syntax of the del statement is:

19

Game Scripting with Python Tim Glasser del var1[,var2[,var3[....,varN]]]] You can delete a single object or multiple objects by using the del statement. For example: del var del var_a, var_b Python supports four different numerical types: int (signed integers) long (long integers [can also be represented in octal and hexadecimal]) float (floating point real values) complex (complex numbers) Examples: Here are some examples of numbers: Int 10 100 -786 080 -0490 -0x260 0x69 51924361L -0x19323L 0122L 0xDEFABCECBDAECBFBAEl 535633629843L -052318172735L -4721885298529L long 0.0 15.20 -21.9 32.3+e18 -90. -32.54e100 70.2-E12 float complex 3.14j 45.j 9.322e-36j .876j -.6545+0J 3e+26J 4.53e-7j

Python allows you to use a lowercase L with long, but it is recommended that you use only an uppercase L to avoid confusion with the number 1. Python displays long integers with an uppercase L. A complex number consists of an ordered pair of real floatingpoint numbers denoted by a + bj, where a is the real part and b is the imaginary part of the complex number.

Sequence Data Types


Strings:

20

Game Scripting with Python Tim Glasser Strings in Python are identified as a contiguous set of characters in between quotation marks. Python allows for either pairs of single or double quotes. Subsets of strings can be taken using the slice operator ( [ ] and [ : ] ) with indexes starting at 0 in the beginning of the string and working their way from -1 at the end. The plus ( + ) sign is the string concatenation operator, and the asterisk ( * ) is the repetition operator. Example: #!/usr/bin/python str = 'Hello World!' print str # Prints complete string print str[0] # Prints first character of the string print str[2:5] # Prints characters starting from 3rd to 6th print str[2:] # Prints string starting from 3rd character print str * 2 # Prints string two times print str + "TEST" # Prints concatenated string This will produce following result: Hello World! H llo llo World! Hello World!Hello World! Hello World!TEST 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 ([]). To some extent, lists are similar to arrays in C. One difference between them is that all the items belonging to a list can be of different data type. The values stored in a list can be accessed using the slice operator ( [ ] and [ : ] ) with indexes starting at 0 in the beginning of the list and working their way to end-1. The plus ( + ) sign is the list concatenation operator, and the asterisk ( * ) is the repetition operator.

21

Game Scripting with Python Tim Glasser Example: #!/usr/bin/python list = [ 'abcd', 786 , 2.23, 'john', 70.2 ] tinylist = [123, 'john'] print list # Prints complete list print list[0] # Prints first element of the list print list[1:3] # Prints elements starting from 2nd to 4th print list[2:] # Prints elements starting from 3rd element print tinylist * 2 # Prints list two times print list + tinylist # Prints concatenated lists This will produce following result: ['abcd', 786, 2.23, 'john', 70.200000000000003] abcd [786, 2.23] [2.23, 'john', 70.200000000000003] [123, 'john', 123, 'john'] ['abcd', 786, 2.23, 'john', 70.200000000000003, 123, 'john'] 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. The main differences between lists and tuples are: Lists are enclosed in brackets ( [ ] ), and their elements and size can be changed, while tuples are enclosed in parentheses ( ( ) ) and cannot be updated. Tuples can be thought of as read-only lists. Example: #!/usr/bin/python tuple = ( 'abcd', 786 , 2.23, 'john', 70.2 ) tinytuple = (123, 'john') print tuple # Prints complete list print tuple[0] # Prints first element of the list print tuple[1:3] # Prints elements starting from 2nd to 4th print tuple[2:] # Prints elements starting from 3rd element print tinytuple * 2 # Prints list two times

22

Game Scripting with Python Tim Glasser print tuple + tinytuple # Prints concatenated lists This will produce following result: ('abcd', 786, 2.23, 'john', 70.200000000000003) abcd (786, 2.23) (2.23, 'john', 70.200000000000003) (123, 'john', 123, 'john') ('abcd', 786, 2.23, 'john', 70.200000000000003, 123, 'john') Following is invalid with tuple, because we attempted to update a tuple,which is not allowed. Similar case is possible with lists: #!/usr/bin/python tuple = ( 'abcd', 786 , 2.23, 'john', 70.2 ) list = [ 'abcd', 786 , 2.23, 'john', 70.2 ] tuple[2] = 1000 # Invalid syntax with tuple list[2] = 1000 # Valid syntax with list Python Dictionary: Python 's dictionaries are hash table type. They work like associative arrays and consist of key-value pairs. Keys can be almost any Python type, but are usually numbers or strings. Values, on the other hand, can be any arbitrary Python object. Dictionaries are enclosed by curly braces ( { } ) and values can be assigned and accessed using square braces ( [] ). Example: #!/usr/bin/python dict = {} dict['one'] = "This is one" dict[2] = "This is two" tinydict = {'name': 'john','code':6734, 'dept': 'sales'}

print dict['one']

# Prints value for 'one' key

23

Game Scripting with Python Tim Glasser 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 This will produce following result: This is one This is two {'dept': 'sales', 'code': 6734, 'name': 'john'} ['dept', 'code', 'name'] ['sales', 6734, 'john'] Dictionaries have no concept of order among elements. It is incorrect to say that the elements are "out of order"; they are simply unordered. Data Type Conversion: Sometimes you may need to perform conversions between the built-in types. To convert between types you simply use the type name as a function. There are several built-in functions to perform conversion from one data type to another. These functions return a new object representing the converted value. Function int(x [,base]) long(x [,base] ) float(x) complex(real [,imag]) str(x) repr(x) eval(str) tuple(s) list(s) set(s) dict(d) Description Converts x to an integer. base specifies the base if x is a string. Converts x to a long integer. base specifies the base if x is a string. Converts x to a floating-point number. Creates a complex number. Converts object x to a string representation. Converts object x to an expression string. Evaluates a string and returns an object. Converts s to a tuple. Converts s to a list. Converts s to a set. Creates a dictionary. d must be a sequence of (key,value) tuples.

24

Game Scripting with Python Tim Glasser frozenset(s) chr(x) unichr(x) ord(x) hex(x) oct(x) Converts s to a frozen set. Converts an integer to a character. Converts an integer to a Unicode character. Converts a single character to its integer value. Converts an integer to a hexadecimal string. Converts an integer to an octal string.

Operators
What is an operator? Simple answer can be given using expression 4 + 5 is equal to 9. Here 4 and 5 are called operands and + is called operator. Python language supports following type of operators. Arithmetic Operators Comparision Operators Logical (or Relational) Operators Assignment Operators Conditional (or ternary) Operators Lets have a look on all operators one by one. Python Arithmetic Operators: Assume variable a holds 10 and variable b holds 20 then: Operator + * / % Description Addition - Adds values on either side of the operator Subtraction - Subtracts right hand operand from left hand operand Multiplication - Multiplies values on either side of the operator Division - Divides left hand operand by right hand operand Modulus - Divides left hand operand by right hand operand and returns Example a + b will give 30 a - b will give -10 a * b will give 200 b / a will give 2 b % a will give 0

25

Game Scripting with Python Tim Glasser remainder ** Exponent - Performs exponential (power) calculation on operators Floor Division - The division of operands where the result is the quotient in which the digits after the decimal point are removed. a**b will give 10 to the power 20

//

9//2 is equal to 4 and 9.0//2.0 is equal to 4.0

Python Comparison Operators: Assume variable a holds 10 and variable b holds 20 then: Operator == Description Checks if the value of two operands are equal or not, if yes then condition becomes true. Checks if the value of two operands are equal or not, if values are not equal then condition becomes true. Checks if the value of two operands are equal or not, if values are not equal then condition becomes true. Checks if the value of left operand is greater than the value of right operand, if yes then condition becomes true. Example (a == b) is not true.

!=

(a != b) is true.

<>

(a <> b) is true. This is similar to != operator.

>

(a > b) is not true.

<

Checks if the value of left operand is less than the value of right operand, if (a < b) is true. yes then condition becomes true. Checks if the value of left operand is greater than or equal to the value of right operand, if yes then condition becomes true.

>=

(a >= b) is not true.

<=

Checks if the value of left operand is less than or equal to the value of right (a <= b) is true. operand, if yes then condition

26

Game Scripting with Python Tim Glasser becomes true. Python Assignment Operators: Assume variable a holds 10 and variable b holds 20 then: Operator = Description Simple assignment operator, Assigns values from right side operands to left side operand Add AND assignment operator, It adds right operand to the left operand and assign the result to left operand Subtract AND assignment operator, It subtracts right operand from the left operand and assign the result to left operand Example c = a + b will assigne value of a + b into c

+=

c += a is equivalent to c = c + a

-=

c -= a is equivalent to c = c a

*=

Multiply AND assignment operator, It multiplies right c *= a is equivalent to c = c * a operand with the left operand and assign the result to left operand Divide AND assignment operator, It divides left operand c /= a is equivalent to c = c / a with the right operand and assign the result to left operand Modulus AND assignment operator, It takes modulus using two operands and assign the result to left operand Exponent AND assignment operator, Performs exponential (power) calculation on operators and assign value to the left operand

/=

%=

c %= a is equivalent to c = c % a

**=

c **= a is equivalent to c = c ** a

//=

Floor Dividion and assigns a value, Performs floor division on c //= a is equivalent to c = c // a operators and assign value to the left operand

27

Game Scripting with Python Tim Glasser Python Logical Operators: There are following logical operators supported by Python language Assume variable a holds 10 and variable b holds 20 then: Operator and Description Example

Called Logical AND operator. If both the operands are true then then (a and b) is true. condition becomes true. Called Logical OR Operator. If any of the two operands are non zero then (a or b) is true. then condition becomes true. Called Logical NOT Operator. Use to reverses the logical state of its operand. If a condition is true then not(a && b) is false. Logical NOT operator will make false.

or

not

Python Membership Operators: In addition to the operators discussed previously, Python has membership operators, which test for membership in a sequence, such as strings, lists, or tuples. There are two membership operators explained below: Operator in Description Evaluates to true if it finds a variable in the specified sequence and false otherwise. Evaluates to true if it finds a variable in the specified sequence and false otherwise. Example x in y, here in results in a 1 if x is a member of sequence y. x not in y, here not in results in a 1 if x is a member of sequence y.

not in

Python Identity Operators: Identity operators compare the memory locations of two objects. There are two Identity operators explained below: Operator Description Example

28

Game Scripting with Python Tim Glasser Evaluates to true if the variables on x is y, here is results in 1 if id(x) either side of the operator point to the equals id(y). same object and false otherwise. Evaluates to false if the variables on x is not y, here is not results in 1 if either side of the operator point to the id(x) is not equal to id(y). same object and true otherwise.

is

is not

Python Operators Precedence The following table lists all operators from highest precedence to lowest. Operator ** ~+* / % // +>> << & ^| <= < > >= <> == != Description Exponentiation (raise to the power) Ccomplement, unary plus and minus (method names for the last two are +@ and -@) Multiply, divide, modulo and floor division Addition and subtraction Right and left bitwise shift Bitwise 'AND' Bitwise exclusive `OR' and regular `OR' Comparison operators Equality operators

= %= /= //= -= += |= &= >>= Assignment operators <<= *= **= is is not in not in note or and Identity operators Membership operators Logical operators

Exercises: 1. Create a program that will compute the area of a rectangle. The program should Ask the user to input the lengths of the sides of the rectangle Compute the area Area = length * width

29

Game Scripting with Python Tim Glasser Display the result 2. Write a program that asks the user to input values for two floating point numbers, and then swaps them. The program should then display the values. Hint: you may need more than two variables for this to work. 3. Pretend that your program should act like a cash register. It should prompt the user for two values the total cost of items, and the amount paid, and then responds with the amount of change. 5. Write a program to calculate compound interest. The formula for compound interest is : Amount = Current Value * ( 1 + Rate of Interest) ** n (where n is the number compounding periods) 6. Write a program that asks users for their favorite color. Create the following output (assuming "red" is the chosen color). Use "+" and "*". red red red red red red red red red red red red red red red red red red red red red red red red 7. Pass in 3 arguments ( string , float and integer) to a Python script. The script prints the arguments out an also adds the float and integer together and prints out the result

30

Game Scripting with Python Tim Glasser

Week 3 Control Structures


Conditional constructs are used to incorporate decision making into programs. The result of this decision making determines the sequence in which a program will execute instructions. You can control the flow of a program by using conditional constructs. This tutorial will discuss the programming conditional constructs available in Python, such as if, if...else, elif, and nested if. The if statement: The if statement of Python is similar to that of other languages. The if statement contains a logical expression using which data is compared, and a decision is made based on the result of the comparison. The syntax of the if statement is: if expression: statement(s) Here if statement, condition is evaluated first. If condition is true that is, if its value is nonzero then the statement(s) block are executed. Otherwise, the next statement following the statement(s) block is executed. Note: In Python, all the statements indented by the same number of character spaces after a programming construct are considered to be part of a single block of code. Python uses indentation as its method of grouping statements. Example: #!/usr/bin/python var1 = 100 if var1: print "1 - Got a true expression value" print var1 var2 = 0 if var2: print "2 - Got a true expression value" print var2 print "Good bye!"

31

Game Scripting with Python Tim Glasser This will produce following result: 1 - Got a true expression value 100 Good bye! The else Statement: An else statement can be combined with an if statement. An else statement contains the block of code that executes if the conditional expression in the if statement resolves to 0 or a false value. The else statement is an optional statement and there could be at most only one else statement following if . The syntax of the if...else statement is: if expression: statement(s) else: statement(s) Example: #!/usr/bin/python var1 = 100 if var1: print "1 - Got a true expression value" print var1 else: print "1 - Got a false expression value" print var1 var2 = 0 if var2: print "2 - Got a true expression value" print var2 else: print "2 - Got a false expression value" print var2 print "Good bye!" This will produce following result:

32

Game Scripting with Python Tim Glasser 1 - Got a true expression value 100 2 - Got a false expression value 0 Good bye! The elif Statement The elif statement allows you to check multiple expressions for truth value and execute a block of code as soon as one of the conditions evaluates to true. Like the else, the elif statement is optional. However, unlike else, for which there can be at most one statement, there can be an arbitrary number of elif statements following an if. The syntax of the if...elif statement is: if expression1: statement(s) elif expression2: statement(s) elif expression3: statement(s) else: statement(s) Note: Python does not currently support switch or case statements as in other languages. Example: #!/usr/bin/python var = 100 if var == 200: print "1 - Got a true expression value" print var elif var == 150: print "2 - Got a true expression value" print var2 elif var == 100: print "3 - Got a true expression value" print var else: print "4 - Got a false expression value" print var

33

Game Scripting with Python Tim Glasser print "Good bye!" This will produce following result: 3 - Got a true expression value 100 Good bye! The Nested if...elif...else Construct There may be a situation when you want to check for another condition after a condition resolves to true. In such a situation, you can use the nested if construct. In a nested if construct, you can have an if...elif...else construct inside another if...elif...else construct. The syntax of the nested if...elif...else construct may be: if expression1: statement(s) if expression2: statement(s) elif expression3: statement(s) else statement(s) elif expression4: statement(s) else: statement(s) Example: #!/usr/bin/python var = 100 if var < 200: print "Expression value is less than 200" if var == 150: print "Which is 150" elif var == 100: print "Which is 100" elif var == 50: print "Which is 50" elif var < 50:

34

Game Scripting with Python Tim Glasser print "Expression value is less than 50" else: print "Could not find true expression" print "Good bye!" This will produce following result: Expression value is less than 200 Which is 100 Good bye! Single Statement Suites: If the suite of an if clause consists only of a single line, it may go on the same line as the header statement: Here is an example of a one-line if clause: if ( expression == 1 ) : print "Value of expression is 1"

Loops A loop is a construct that causes a section of a program to be repeated a certain number of times. The repetition continues while the condition set for the loop remains true. When the condition becomes false, the loop ends and the program control is passed to the statement following the loop. This tutorial will discuss the while loop construct available in Python. The while Loop: The while loop is just one of the looping constructs available in Python, the while loop continues until the expression becomes false. The expression has to be a logical expression and must return either a true or a false value The syntax of the while look is: while expression: statement(s)

35

Game Scripting with Python Tim Glasser Here expression statement is evaluated first. If expression is true that is, then the statement(s) block is executed repeatedly until expression becomes false. Otherwise, the next statement following the statement(s) block is executed. Note: In Python, all the statements indented by the same number of character spaces after a programming construct are considered to be part of a single block of code. Python uses indentation as its method of grouping statements. Example: #!/usr/bin/python count = 0 while (count < 9): print 'The count is:', count count = count + 1 print "Good bye!" This will produce following result: The count is: 0 The count is: 1 The count is: 2 The count is: 3 The count is: 4 The count is: 5 The count is: 6 The count is: 7 The count is: 8 Good bye! The block here, consisting of the print and increment statements, is executed repeatedly until count is no longer less than 9. With each iteration, the current value of the index count is displayed and then increased by 1. The Infinite Loops: You must use caution when using while loops because of the possibility that this condition never resolves to a false value. This results in a loop that never ends. Such a loop is called an infinite loop. An infinite loop might be useful in client/server programming where the server needs to run continuously so that client programs can communicate with it as and when required.

36

Game Scripting with Python Tim Glasser Example: Following loop will continue till you enter 1 at command prompt: #!/usr/bin/python var = 1 while var == 1 : # This constructs an infinite loop num = raw_input("Enter a number :") print "You entered: ", num print "Good bye!" This will produce following result: Enter a number :20 You entered: 20 Enter a number :29 You entered: 29 Enter a number :3 You entered: 3 Enter a number between :Traceback (most recent call last): File "test.py", line 5, in <module> num = raw_input("Enter a number :") KeyboardInterrupt Above example will go in an infinite loop and you would need to use CNTL+C to come out of the program. Single Statement Suites: Similar to the if statement syntax, if your while clause consists only of a single statement, it may be placed on the same line as the while header. Here is an example of a one-line while clause: while expression : statement The for Loop: The for loop in Python has the ability to iterate over the items of any sequence, such as a list or a string. The syntax of the loop look is:

37

Game Scripting with Python Tim Glasser for iterating_var in sequence: statements(s) If a sequence contains an expression list, it is evaluated first. Then, the first item in the sequence is assigned to the iterating variable iterating_var. Next, the statements block is executed. Each item in the list is assigned to iterating_var, and the statements(s) block is executed until the entire sequence is exhausted. Note: In Python, all the statements indented by the same number of character spaces after a programming construct are considered to be part of a single block of code. Python uses indentation as its method of grouping statements. Example: #!/usr/bin/python for letter in 'Python': # First Example print 'Current Letter :', letter fruits = ['banana', 'apple', 'mango'] for fruit in fruits: # Second Example print 'Current fruit :', fruit print "Good bye!" This will produce following result: Current Letter : P Current Letter : y Current Letter : t Current Letter : h Current Letter : o Current Letter : n Current fruit : banana Current fruit : apple Current fruit : mango Good bye! Iterating by Sequence Index: An alternative way of iterating through each item is by index offset into the sequence itself: Example:

38

Game Scripting with Python Tim Glasser #!/usr/bin/python fruits = ['banana', 'apple', 'mango'] for index in range(len(fruits)): print 'Current fruit :', fruits[index] print "Good bye!" This will produce following result: Current fruit : banana Current fruit : apple Current fruit : mango Good bye! Here we took the assistance of the len() built-in function, which provides the total number of elements in the tuple as well as the range() built-in function to give us the actual sequence to iterate over. You might face a situation in which you need to exit a loop completely when an external condition is triggered or there may also be a situation when you want to skip a part of the loop and start next execution. Python provides break and continue statements to handle such situations and to have good control on your loop. This tutorial will discuss the break, continue and pass statements available in Python. The break Statement: The break statement in Python terminates the current loop and resumes execution at the next statement, just like the traditional break found in C. The most common use for break is when some external condition is triggered requiring a hasty exit from a loop. The break statement can be used in both while and for loops. Example: #!/usr/bin/python for letter in 'Python': # First Example if letter == 'h': break print 'Current Letter :', letter

39

Game Scripting with Python Tim Glasser var = 10 # Second Example while var > 0: print 'Current variable value :', var var = var -1 if var == 5: break print "Good bye!" This will produce following result: Current Letter : P Current Letter : y Current Letter : t Current variable value : 10 Current variable value : 9 Current variable value : 8 Current variable value : 7 Current variable value : 6 Good bye! The continue Statement: The continue statement in Python returns the control to the beginning of the while loop. The continue statement rejects all the remaining statements in the current iteration of the loop and moves the control back to the top of the loop. The continue statement can be used in both while and for loops. Example: #!/usr/bin/python for letter in 'Python': # First Example if letter == 'h': continue print 'Current Letter :', letter var = 10 # Second Example while var > 0: print 'Current variable value :', var var = var -1 if var == 5: continue

40

Game Scripting with Python Tim Glasser print "Good bye!" This will produce following result: Current Letter : P Current Letter : y Current Letter : t Current Letter : o Current Letter : n Current variable value : 10 Current variable value : 9 Current variable value : 8 Current variable value : 7 Current variable value : 6 Current variable value : 5 Current variable value : 4 Current variable value : 3 Current variable value : 2 Current variable value : 1 Good bye! The else Statement Used with Loops Python supports to have an else statement associated with a loop statements. If the else statement is used with a for loop, the else statement is executed when the loop has exhausted iterating the list. If the else statement is used with a while loop, the else statement is executed when the condition becomes false. Example: The following example illustrates the combination of an else statement with a for statement that searches for prime numbers from 10 through 20. #!/usr/bin/python for num in range(10,20): #to iterate between 10 to 20 for i in range(2,num): #to iterate on the factors of the number if num%i == 0: #to determine the first factor j=num/i #to calculate the second factor print '%d equals %d * %d' % (num,i,j) break #to move to the next number, the #first FOR else: # else part of the loop

41

Game Scripting with Python Tim Glasser print num, 'is a prime number' This will produce following result: 10 equals 2 * 5 11 is a prime number 12 equals 2 * 6 13 is a prime number 14 equals 2 * 7 15 equals 3 * 5 16 equals 2 * 8 17 is a prime number 18 equals 2 * 9 19 is a prime number Similar way you can use else statement with while loop. The pass Statement: The pass statement in Python is used when a statement is required syntactically but you do not want any command or code to execute. The pass statement is a null operation; nothing happens when it executes. The pass is also useful in places where your code will eventually go, but has not been written yet (e.g., in stubs for example): Example: #!/usr/bin/python for letter in 'Python': if letter == 'h': pass print 'This is pass block' print 'Current Letter :', letter print "Good bye!" This will produce following result: Current Letter : P Current Letter : y Current Letter : t This is pass block

42

Game Scripting with Python Tim Glasser Current Letter : h Current Letter : o Current Letter : n Good bye! The preceding code does not execute any statement or code if the value of letter is 'h'. The pass statement is helpful when you have created a code block but it is no longer required. You can then remove the statements inside the block but let the block remain with a pass statement so that it doesn't interfere with other parts of the code. Exercises: 1. Write a program that will loop, asking the user to input a single character, until the user enters a q or Q. 2. Pretend that you program is a login for some service. Choose a word to be the password. Ask the user what the password is once, and display a message that they either logged in correctly or incorrectly. 3. Rewrite #2 so that it loops continuously until the user enters the correct password. 4. Create a program that uses a for loop to print out the numbers 1-50. 5. Write a program that acts like a four-function calculator (addition, subtraction, multiplication and division). It should first ask for two numbers (double), then prompt the user for a calculation (char) and use a switch statement to complete the operations. 7. Write a program that will find the square root of a number that the user enters. 8. Imagine that you are writing the beginning of a hangman program. Choose a word and store it into a string. Ask the user to input a single character, and then test to see if the character is a part of the string. Output a message telling them if they were correct or not. 9. Write a program to have a user guess an entire word. Use Python strings. Define the word at the top of the program. Keep asking them to guess the word until they get the correct answer ( use a while loop).

43

Game Scripting with Python Tim Glasser

Week 4 Functions
A function is a block of organized, reusable code that is used to perform a single, related action. Functions provides better modularity for your application and a high degree of code reusing. As you already know, Python gives you many built-in functions like print() etc. but you can also create your own functions. These functions are called user-defined functions. 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

44

Game Scripting with Python Tim Glasser 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"); This would produce following result: I'm first call to user defined function! Again second call to the same function Pass by reference vs value Python passes function parameters using call-by-value. It means if you change what a parameter refers to within a function, the change does not affect the function's caller. All parameters in the Python language are passed by reference. For example: #!/usr/bin/python # Function definition is here def changeme( mylist ): "This changes a passed list into this function" mylist.append([1,2,3,4]); print "Values inside the function: ", mylist return # Now you can call changeme function mylist = [10,20,30];

45

Game Scripting with Python Tim Glasser changeme( mylist ); print "Values outside the function: ", mylist Here we are maintaining reference of the passed object and appending values in the same object. So this would produce following result: Values inside the function: [10, 20, 30, [1, 2, 3, 4]] Values outside the function: [10, 20, 30, [1, 2, 3, 4]] There is one more example where argument is being passed by reference but inside the function, that reference is being over-written. #!/usr/bin/python # Function definition is here def changeme( mylist ): "This changes a passed list into this function" mylist = [1,2,3,4]; # This would assig new reference in mylist print "Values inside the function: ", mylist return # Now you can call changeme function mylist = [10,20,30]; changeme( mylist ); print "Values outside the function: ", mylist The parameter mylist is local to the function changeme. Changing mylist within the function does not affect mylist. The function accomplishes nothing and finally this would produce following result: Values inside the function: [1, 2, 3, 4] Values outside the function: [10, 20, 30] Function Arguments: You can call a function by using the following types of formal arguments:: Required arguments Keyword arguments Default arguments Variable-length arguments

46

Game Scripting with Python Tim Glasser Required arguments: Required arguments are the arguments passed to a function in correct positional order. Here the number of arguments in the function call should match exactly with the function definition. To call the function printme() you definitely need to pass one argument otherwise it would give a syntax error as follows: #!/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(); This would produce following result: Traceback (most recent call last): File "test.py", line 11, in <module> printme(); TypeError: printme() takes exactly 1 argument (0 given) Keyword arguments: Keyword arguments are related to the function calls. When you use keyword arguments in a function call, the caller identifies the arguments by the parameter name. This allows you to skip arguments or place them out of order because the Python interpreter is able to use the keywords provided to match the values with parameters. You can also make keyword calls to the printme() function in the following ways: #!/usr/bin/python # Function definition is here def printme( str ): "This prints a passed string into this function" print str; return;

47

Game Scripting with Python Tim Glasser # Now you can call printme function Printme( str = "My string"); This would produce following result: My string Following example gives more clear picture. Note, here order of the parameter does not matter: #!/usr/bin/python # Function definition is here def printinfo( name, age ): "This prints a passed info into this function" print "Name: ", name; print "Age ", age; return; # Now you can call printinfo function printinfo( age=50, name="miki" ); This would produce following result: Name: miki Age 50 Default arguments: A default argument is an argument that assumes a default value if a value is not provided in the function call for that argument. Following example gives idea on default arguments, it would print default age if it is not passed: #!/usr/bin/python # Function definition is here def printinfo( name, age = 35 ): "This prints a passed info into this function" print "Name: ", name; print "Age ", age; return;

48

Game Scripting with Python Tim Glasser # Now you can call printinfo function printinfo( age=50, name="miki" ); printinfo( name="miki" ); This would produce following result: Name: miki Age 50 Name: miki Age 35 Variable-length arguments: You may need to process a function for more arguments than you specified while defining the function. These arguments are called variable-length arguments and are not named in the function definition, unlike required and default arguments. The general syntax for a function with non-keyword variable arguments is this: def functionname([formal_args,] *var_args_tuple ): "function_docstring" function_suite return [expression] An asterisk (*) is placed before the variable name that will hold the values of all nonkeyword variable arguments. This tuple remains empty if no additional arguments are specified during the function call. For example: #!/usr/bin/python # Function definition is here def printinfo( arg1, *vartuple ): "This prints a variable passed arguments" print "Output is: " print arg1 for var in vartuple: print var return; # Now you can call printinfo function printinfo( 10 ); printinfo( 70, 60, 50 ); This would produce following result:

49

Game Scripting with Python Tim Glasser Output is: 10 Output is: 70 60 50 The Anonymous Functions: You can use the lambda keyword to create small anonymous functions. These functions are called anonymous because they are not declared in the standard manner by using the def keyword. Lambda forms can take any number of arguments but return just one value in the form of an expression. They cannot contain commands or multiple expressions. An anonymous function cannot be a direct call to print because lambda requires an expression. Lambda functions have their own local namespace and cannot access variables other than those in their parameter list and those in the global namespace. Although it appears that lambda's are a one-line version of a function, they are not equivalent to inline statements in C or C++, whose purpose is by passing function stack allocation during invocation for performance reasons.

Syntax: The syntax of lambda functions contains only a single statement, which is as follows: Lambda [arg1 [,arg2,.....argn]]:expression Example: Following is the example to show how lambda form of function works: #!/usr/bin/python # Function definition is here sum = lambda arg1, arg2: arg1 + arg2; # Now you can call sum as a function print "Value of total : ", sum( 10, 20 ) print "Value of total : ", sum( 20, 20 ) This would produce following result: 50

Game Scripting with Python Tim Glasser Value of total : 30 Value of total : 40 The return Statement: 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 All the above examples are not returning any value, but if you like you can return a value from a function as follows: #!/usr/bin/python # Function definition is here def sum( arg1, arg2 ): # Add both the parameters and return them." total = arg1 + arg2 print "Inside the function : ", total return total; # Now you can call sum function total = sum( 10, 20 ); print "Outside the function : ", total This would produce following result: Inside the function : 30 Outside the function : 30 Scope of Variables: All variables in a program may not be accessible at all locations in that program. This depends on where you have declared a variable. The scope of a variable determines the portion of the program where you can access a particular identifier. There are two basic scopes of variables in Python:

Global variables Local variables

51

Game Scripting with Python Tim Glasser

Global vs. Local Variables: Variables that are defined inside a function body have a local scope, and those defined outside have a global scope. This means that local variables can be accessed only inside the function in which they are declared whereas global variables can be accessed throughout the program body by all functions. When you call a function, the variables declared inside it are brought into scope. Example: #!/usr/bin/python total = 0; # This is global variable. # Function definition is here def sum( arg1, arg2 ): # Add both the parameters and return them." total = arg1 + arg2; # Here total is local variable. print "Inside the function local total : ", total return total; # Now you can call sum function sum( 10, 20 ); print "Outside the function global total : ", total This would produce following result: Inside the function local total : 30 Outside the function global total : 0

Exercises: 1. Write a program that uses a function to calculate the volume of a sphere, volume = 4/3r^3 . It should prompt the user for a radius, then display the result. 2. Rewrite #1 so that it will ask the user if they want to compute another volume, and quit if the answer is n or N. 3. Create functions to compute the area of a triangle, circle and rectangle correctly. 4. Use a debugger to see what happens when you run the program in #3.

52

Game Scripting with Python Tim Glasser 5. Write a program that uses an array to store 5 grades and add them. Create an error th in the array access so that it tries to access the 6 element of the array. Use a debugger to find the error. 6. Write two functions with the same name (overloaded function) that would both return an integer. If the function receives an integer, it should return the integer value. If it receives a string, it should return the length of the string. Here are the function prototypes long find_length(message) long find_length(number) 7. Imagine that you need a function that will check all of the elements of an array, and make them 0 if they are negative numbers. Test the function using an appropriate main function and array. 8. Use a debugger to see what happens when you run the program in #7.

9. Write a function that displays the times table of whatever number parameter it takes. Use this function to write the times tables up to 12

53

Game Scripting with Python Tim Glasser

Week 5: Numbers and Strings in Detail (midterm)


Number data types store numeric values. They are an immutable data type, which means that changing the value of a number data type results in a newly allocated object. Number objects are created when you assign a value to them. For example: var1 = 1 var2 = 10 You can also delete the reference to a number object by using the del statement. The syntax of the del statement is: del var1[,var2[,var3[....,varN]]]] You can delete a single object or multiple objects by using the del statement. For example: del var del var_a, var_b Python supports four different numerical types: int (signed integers): often called just integers or ints, are positive or negative whole numbers with no decimal point. long (long integers ): or longs, are integers of unlimited size, written like integers and followed by an uppercase or lowercase L. float (floating point real values) : or floats, represent real numbers and are written with a decimal point dividing the integer and fractional parts. Floats may also be in scientific notation, with E or e indicating the power of 10 (2.5e2 = 2.5 x 102 = 250). complex (complex numbers) : Dont worry about these types.

Here are some examples of numbers: int 10 100 -786 51924361L -0x19323L 0122L long 0.0 15.20 -21.9 float complex 3.14j 45.j 9.322e-36j

54

Game Scripting with Python Tim Glasser 080 -0490 -0x260 0x69 0xDEFABCECBDAECBFBAEl 535633629843L -052318172735L -4721885298529L 32.3+e18 -90. -32.54e100 70.2-E12 .876j -.6545+0J 3e+26J 4.53e-7j

Python allows you to use a lowercase L with long, but it is recommended that you use only an uppercase L to avoid confusion with the number 1. Python displays long integers with an uppercase L. A complex number consists of an ordered pair of real floatingpoint numbers denoted by a + bj, where a is the real part and b is the imaginary part of the complex number. Number Type Conversion: Python converts numbers internally in an expression containing mixed types to a common type for evaluation. But sometimes, you'll need to coerce a number explicitly from one type to another to satisfy the requirements of an operator or function parameter. Type int(x)to convert x to a plain integer. Type long(x) to convert x to a long integer. Type float(x) to convert x to a floating-point number. Type complex(x) to convert x to a complex number with real part x and imaginary part zero. Type complex(x, y) to convert x and y to a complex number with real part x and imaginary part y. x and y are numeric expressions Built-in Number Functions: Mathematical Functions: Python includes following functions that perform mathematical calculations. Function abs(x) ceil(x) cmp(x, y) exp(x) fabs(x) floor(x) Returns ( description ) The absolute value of x: the (positive) distance between x and zero. The ceiling of x: the smallest integer not less than x -1 if x < y, 0 if x == y, or 1 if x > y The exponential of x: ex The absolute value of x. The floor of x: the largest integer not greater than x

55

Game Scripting with Python Tim Glasser log(x) log10(x) max(x1, x2,...) min(x1, x2,...) modf(x) pow(x, y) round(x [,n]) sqrt(x) The natural logarithm of x, for x> 0 The base-10 logarithm of x for x> 0 . The largest of its arguments: the value closest to positive infinity The smallest of its arguments: the value closest to negative infinity The fractional and integer parts of x in a two-item tuple. Both parts have the same sign as x. The integer part is returned as a float. The value of x**y. x rounded to n digits from the decimal point. Python rounds away from zero as a tie-breaker: round(0.5) is 1.0 and round(-0.5) is 1.0. The square root of x for x > 0

Random Number Functions: Random numbers are used for games, simulations, testing, security, and privacy applications. Python includes following functions that are commonly used. Function choice(seq) randrange ([start,] stop [,step]) random() Returns ( description ) A random item from a list, tuple, or string. A randomly selected element from range(start, stop, step) A random float r, such that 0 is less than or equal to r and r is less than 1 Sets the integer starting value used in generating random numbers. Call this function before calling any other random module function. Returns None. Randomizes the items of a list in place. Returns None. A random float r, such that x is less than or equal to r and r is less than y

seed([x]) shuffle(lst) uniform(x, y)

Trigonometric Functions: Python includes following functions that perform trigonometric calculations. 56

Game Scripting with Python Tim Glasser Function acos(x) asin(x) atan(x) atan2(y, x) cos(x) hypot(x, y) sin(x) tan(x) degrees(x) radians(x) Description Return the arc cosine of x, in radians. Return the arc sine of x, in radians. Return the arc tangent of x, in radians. Return atan(y / x), in radians. Return the cosine of x radians. Return the Euclidean norm, sqrt(x*x + y*y). Return the sine of x radians. Return the tangent of x radians. Converts angle x from radians to degrees. Converts angle x from degrees to radians.

Mathematical Constants: The module also defines two mathematical constants: Constant pi e Description The mathematical constant pi. The mathematical constant e.

Strings
Strings are amongst the most popular types in Python. We can create them simply by enclosing characters in quotes. Python treats single quotes the same as double quotes. Creating strings is as simple as assigning a value to a variable. For example: var1 = 'Hello World!' var2 = "Python Programming" Accessing Values in Strings: Python does not support a character type; these are treated as strings of length one, thus also considered a substring.

57

Game Scripting with Python Tim Glasser To access substrings, use the square brackets for slicing along with the index or indices to obtain your substring: Example: #!/usr/bin/python var1 = 'Hello World!' var2 = "Python Programming" print "var1[0]: ", var1[0] print "var2[1:5]: ", var2[1:5] This will produce following result: var1[0]: H var2[1:5]: ytho Updating Strings: You can "update" an existing string by (re)assigning a variable to another string. The new value can be related to its previous value or to a completely different string altogether. Example: #!/usr/bin/python var1 = 'Hello World!' print "Updated String :- ", var1[:6] + 'Python' This will produce following result: Updated String :- Hello Python Escape Characters: Following table is a list of escape or non-printable characters that can be represented with backslash notation. NOTE: In a double quoted string, an escape character is interpreted; in a single quoted string, an escape character is preserved. Backslash Hexadecimal Description

58

Game Scripting with Python Tim Glasser notation \a \b \cx \C-x \e \f \M-\C-x \n \nnn \r \s \t \v \x \xnn String Special Operators: Assume string variable a holds 'Hello' and variable b holds 'Python' then: Operator + Description Example 0x0d 0x20 0x09 0x0b 0x0a 0x1b 0x0c character 0x07 0x08 Bell or alert Backspace Control-x Control-x Escape Formfeed Meta-Control-x Newline Octal notation, where n is in the range 0.7 Carriage return Space Tab Vertical tab Character x Hexadecimal notation, where n is in the range 0.9, a.f, or A.F

Concatenation - Adds values on either a + b will give HelloPython side of the operator Repetition - Creates new strings, concatenating multiple copies of the same string Slice - Gives the character from the given index Range Slice - Gives the characters from the given range Membership - Returns true if a a*2 will give HelloHello

[] [:] in

a[1] will give e a[1:4] will give ell H in a will give 1

59

Game Scripting with Python Tim Glasser character exists in the given string not in Membership - Returns true if a character does not exist in the given string M not in a will give 1

r/R

Raw String - Suppress actual meaning of Escape characters. The syntax for raw strings is exactly the same as for normal strings with the exception of the raw string operator, the letter "r," print r'\n' prints \n and print R'\n' which precedes the quotation marks. prints \n The "r" can be lowercase (r) or uppercase (R) and must be placed immediately preceding the first quote mark. Format - Performs String formatting See at next section

String Formatting Operator: One of Python's coolest features is the string format operator %. This operator is unique to strings and makes up for the pack of having functions from C's printf() family. Example: #!/usr/bin/python print "My name is %s and weight is %d kg!" % ('Zara', 21)

This will produce following result: My name is Zara and weight is 21 kg! Here is the list of complete set of symbols which can be used along with %: Format Symbol %c %s %i %d Character string conversion via str() prior to formatting signed decimal integer signed decimal integer Conversion

60

Game Scripting with Python Tim Glasser %u %o %x %X %e %E %f %g %G unsigned decimal integer octal integer hexadecimal integer (lowercase letters) hexadecimal integer (UPPERcase letters) exponential notation (with lowercase 'e') exponential notation (with UPPERcase 'E') floating point real number the shorter of %f and %e the shorter of %f and %E

Other supported symbols and functionality are listed in the following table: Symbol * + <sp> # 0 % (var) m.n. Triple Quotes: Python's triple quotes comes to the rescue by allowing strings to span multiple lines, including verbatim NEWLINEs, TABs, and any other special characters. The syntax for triple quotes consists of three consecutive single or double quotes. #!/usr/bin/python Functionality Argument specifies width or precision left justification display the sign leave a blank space before a positive number add the octal leading zero ( '0' ) or hexadecimal leading '0x' or '0X', depending on whether 'x' or 'X' were used. pad from left with zeros (instead of spaces) '%%' leaves you with a single literal '%' mapping variable (dictionary arguments) m is the minimum total width and n is the number of digits to display after the decimal point (if appl.)

61

Game Scripting with Python Tim Glasser para_str = """this is a long string that is made up of several lines and non-printable characters such as TAB ( \t ) and they will show up that way when displayed. NEWLINEs within the string, whether explicitly given like this within the brackets [ \n ], or just a NEWLINE within the variable assignment will also show up. """ print para_str; This will produce following result. Note how every single special character has been converted to its printed form, right down to the last NEWLINE at the end of the string between the "up." and closing triple quotes. Also note that NEWLINEs occur either with an explicit carriage return at the end of a line or its escape code (\n): this is a long string that is made up of several lines and non-printable characters such as TAB ( ) and they will show up that way when displayed. NEWLINEs within the string, whether explicitly given like this within the brackets [ ], or just a NEWLINE within the variable assignment will also show up. Raw String: Raw strings don't treat the backslash as a special character at all. Every character you put into a raw string stays the way you wrote it: #!/usr/bin/python print 'C:\\nowhere' This would print following result: C:\nowhere Mow let's make use of raw string. We would put expression in r'expression' as follows: #!/usr/bin/python print r'C:\\nowhere' This would print following result:

62

Game Scripting with Python Tim Glasser C:\\nowhere Unicode String: Normal strings in Python are stored internally as 8-bit ASCII, while Unicode strings are stored as 16-bit Unicode. This allows for a more varied set of characters, including special characters from most languages in the world. I'll restrict my treatment of Unicode strings to the following: #!/usr/bin/python print u'Hello, world!' This would print following result: Hello, world! As you can see, Unicode strings use the prefix u, just as raw strings use the prefix r. Built-in String Methods: Python includes following string methods: SN 1 Methods with Description capitalize() Capitalizes first letter of string center(width, fillchar) Returns a space-padded string with the original string centered to a total of width columns count(str, beg= 0,end=len(string)) Counts how many times str occurs in string, or in a substring of string if starting index beg and ending index end are given decode(encoding='UTF-8',errors='strict') Decodes the string using the codec registered for encoding. encoding defaults to the default string encoding. encode(encoding='UTF-8',errors='strict') Returns encoded string version of string; on error, default is to raise a ValueError unless errors is given with 'ignore' or 'replace'. endswith(suffix, beg=0, end=len(string)) Determines if string or a substring of string (if starting index beg and ending index

63

Game Scripting with Python Tim Glasser end are given) ends with suffix; Returns true if so, and false otherwise 6 expandtabs(tabsize=8) Expands tabs in string to multiple spaces; defaults to 8 spaces per tab if tabsize not provided find(str, beg=0 end=len(string)) Determine if str occurs in string, or in a substring of string if starting index beg and ending index end are given; returns index if found and -1 otherwise index(str, beg=0, end=len(string)) Same as find(), but raises an exception if str not found isa1num() Returns true if string has at least 1 character and all characters are alphanumeric and false otherwise

isalpha() 10 Returns true if string has at least 1 character and all characters are alphabetic and false otherwise 11 isdigit() Returns true if string contains only digits and false otherwise

islower() 12 Returns true if string has at least 1 cased character and all cased characters are in lowercase and false otherwise 13 14 15 isnumeric() Returns true if string contains only numeric characters and false otherwise isspace() Returns true if string contains only whitespace characters and false otherwise istitle() Returns true if string is properly "titlecased" and false otherwise

isupper() 16 Returns true if string has at least one cased character and all cased characters are in uppercase and false otherwise join(seq) 17 Merges (concatenates) the string representations of elements in sequence seq into a string, with separator string 18 len(string) Returns the length of the string

ljust(width[, fillchar]) 19 Returns a space-padded string with the original string left-justified to a total of width columns

64

Game Scripting with Python Tim Glasser lower() Converts all uppercase letters in string to lowercase lstrip() Removes all leading whitespace in string maketrans() Returns a translation table to be used in translate function. max(str) Returns the max alphabetical character from the string str min(str) Returns the min alphabetical character from the string str

20 21 22 23 24

replace(old, new [, max]) 25 Replaces all occurrences of old in string with new, or at most max occurrences if max given 26 27 rfind(str, beg=0,end=len(string)) Same as find(), but search backwards in string rindex( str, beg=0, end=len(string)) Same as index(), but search backwards in string

rjust(width,[, fillchar]) 28 Returns a space-padded string with the original string right-justified to a total of width columns. 29 rstrip() Removes all trailing whitespace of string

split(str="", num=string.count(str)) 30 Splits string according to delimiter str (space if not provided) and returns list of substrings; split into at most num substrings if given splitlines( num=string.count('\n')) 31 Splits string at all (or num) NEWLINEs and returns a list of each line with NEWLINEs removed startswith(str, beg=0,end=len(string)) 32 Determines if string or a substring of string (if starting index beg and ending index end are given) starts with substring str; Returns true if so, and false otherwise 33 34 35 strip([chars]) Performs both lstrip() and rstrip() on string swapcase() Inverts case for all letters in string title() Returns "titlecased" version of string, that is, all words begin with uppercase, and the

65

Game Scripting with Python Tim Glasser rest are lowercase translate(table, deletechars="") 36 Translates string according to translation table str(256 chars), removing those in the del string 37 upper() Converts lowercase letters in string to uppercase

zfill (width) 38 Returns original string leftpadded with zeros to a total of width characters; intended for numbers, zfill() retains any sign given (less one zero)

Exercises 1) Ask the user to enter a string and print it back in Upper Case, i 2) Write a script that asks someone to input their first name, last name and phone number. If the user does not type at least some characters for each of these, print "Do not leave any fields empty" otherwise print "Thank you". (Hint: if a variable is empty, its value will be "false".)

3) Change the script so that the script prints "Thank you" if either the first name or the last name or the phone number is supplied. Print "Do not leave all fields empty" otherwise.

4) Change the script so that only first name and last name are required. The phone number is optional. 5) Ask the user to enter their name, then remove the last five letters from the name and print it out

66

Game Scripting with Python Tim Glasser

Week 6 More Sequence Types Lists, Tuples and Dictionaries


The most basic data structure in Python is the sequence. Each element of a sequence is assigned a number - its position, or index. The first index is zero, the second index is one, and so forth. Python has six built-in types of sequences (strings, lists, tuples, dictionaries, etc) but the most common ones are lists and tuples which we will see in this tutorial. There are certain things you can do with all sequence types. These operations include indexing, slicing, adding, multiplying, and checking for membership. In addition, Python has built-in functions for finding the length of a sequence, and for finding its largest and smallest elements. Python Lists: The list is a most versatile data type available in Python, which can be written as a list of comma-separated values (items) between square brackets. Good thing about a list that items in a list need not all have the same type: Creating a list is as simple as putting different comma-separated values between square brackets. For example: list1 = ['physics', 'chemistry', 1997, 2000]; list2 = [1, 2, 3, 4, 5 ]; list3 = ["a", "b", "c", "d"]; Like string indices, list indices start at 0, and lists can be sliced, concatenated and so on. Accessing Values in Lists: To access values in lists, use the square brackets for slicing along with the index or indices to obtain value available at that index: Example: #!/usr/bin/python list1 = ['physics', 'chemistry', 1997, 2000]; list2 = [1, 2, 3, 4, 5, 6, 7 ]; print "list1[0]: ", list1[0] print "list2[1:5]: ", list2[1:5]

67

Game Scripting with Python Tim Glasser This will produce following result: list1[0]: physics list2[1:5]: [2, 3, 4, 5] Updating Lists: You can update single or multiple elements of lists by giving the slice on the left-hand side of the assignment operator, and you can add to elements in a list with the append() method: Example: #!/usr/bin/python list1 = ['physics', 'chemistry', 1997, 2000]; print "Value available at index 2 : " print list1[2]; list1[2] = 2001; print "New value available at index 2 : " print list1[2]; Note: append() method is discussed in subsequent section. This will produce following result: Value available at index 2 : 1997 New value available at index 2 : 2001 Delete List Elements: To remove a list element, you can use either the del statement if you know exactly which element(s) you are deleting or the remove() method if you do not know. Example: #!/usr/bin/python list1 = ['physics', 'chemistry', 1997, 2000]; print list1; del list1[2];

68

Game Scripting with Python Tim Glasser print "After deleting value at index 2 : " print list1; This will produce following result: ['physics', 'chemistry', 1997, 2000] After deleting value at index 2 : ['physics', 'chemistry', 2000] Note: remove() method is discussed in subsequent section. Basic List Operations: Lists respond to the + and * operators much like strings; they mean concatenation and repetition here too, except that the result is a new list, not a string. In fact, lists respond to all of the general sequence operations we used on strings in the prior chapter : Python Expression len([1, 2, 3]) [1, 2, 3] + [4, 5, 6] ['Hi!'] * 4 3 in [1, 2, 3] for x in [1, 2, 3]: print x, 3 [1, 2, 3, 4, 5, 6] ['Hi!', 'Hi!', 'Hi!', 'Hi!'] True 123 Results Length Concatenation Repetition Membership Iteration Description

Indexing, Slicing, and Matrixes: Because lists are sequences, indexing and slicing work the same way for lists as they do for strings. Assuming following input: L = ['spam', 'Spam', 'SPAM!'] Python Expression L[2] L[-2] 'SPAM!' 'Spam' Results Description Offsets start at zero Negative: count from the right

69

Game Scripting with Python Tim Glasser L[1:] ['Spam', 'SPAM!'] Slicing fetches sections

Built-in List Functions & Methods: Python includes following list functions SN 1 2 3 4 5 Function with Description cmp(list1, list2) Compares elements of both lists. len(list) Gives the total length of the list. max(list) Returns item from the list with max value. min(list) Returns item from the list with min value. list(seq) Converts a tuple into list.

Python includes following list methods SN 1 2 3 4 5 6 7 8 list.append(obj) Appends object obj to list list.count(obj) Returns count of how many times obj occurs in list list.extend(seq) Appends the contents of seq to list list.index(obj) Returns the lowest index in list that obj appears list.insert(index, obj) Inserts object obj into list at offset index list.pop(obj=list[-1]) Removes and returns last object or obj from list list.remove(obj) Removes object obj from list list.reverse() Reverses objects of list in place Methods with Description

70

Game Scripting with Python Tim Glasser list.sort([func]) Sorts objects of list, use compare func if given

Tuples
A tuple is a sequence of immutable ( not changeable) Python objects. Tuples are sequences, just like lists. The only difference is that tuples can't be changed i.e. tuples are immutable and tuples use parentheses and lists use square brackets. Creating a tuple is as simple as putting different comma-separated values and optionally you can put these comma-separated values between parentheses also. For example: tup1 = ('physics', 'chemistry', 1997, 2000); tup2 = (1, 2, 3, 4, 5 ); tup3 = "a", "b", "c", "d"; The empty tuple is written as two parentheses containing nothing: Tup1 = (); To write a tuple containing a single value you have to include a comma, even though there is only one value: Tup1 = (50,); Like string indices, tuple indices start at 0, and tuples can be sliced, concatenated and so on. Accessing Values in Tuples: To access values in tuple, use the square brackets for slicing along with the index or indices to obtain value available at that index: Example: #!/usr/bin/python tup1 = ('physics', 'chemistry', 1997, 2000); tup2 = (1, 2, 3, 4, 5, 6, 7 ); print "tup1[0]: ", tup1[0] print "tup2[1:5]: ", tup2[1:5]

71

Game Scripting with Python Tim Glasser This will produce following result: tup1[0]: physics tup2[1:5]: [2, 3, 4, 5] Updating Tuples: Tuples are immutable which means you cannot update them or change values of tuple elements. But we able able to take portions of an existing tuples to create a new tuples as follows: Example: #!/usr/bin/python tup1 = (12, 34.56); tup2 = ('abc', 'xyz'); # Following action is not valid for tuples # tup1 += tup2; # So let's create a new tuple as follows tup3 = tup1 + tup2; print tup3; This will produce following result: (12, 34.56, 'abc', 'xyz') Delete Tuple Elements: Removing individual tuple elements is not possible. There is, of course, nothing wrong with putting together another tuple with the undesired elements discarded. To explicitly remove an entire tuple, just use the del statement: Example: #!/usr/bin/python tup = ('physics', 'chemistry', 1997, 2000); print tup; del tup; print "After deleting tup : "

72

Game Scripting with Python Tim Glasser print tup; This will produce following result. Note an exception raised, this is because after del tup tuple does not exist any more: ('physics', 'chemistry', 1997, 2000) After deleting tup : Traceback (most recent call last): File "test.py", line 9, in <module> print tup; NameError: name 'tup' is not defined Basic Tuples Operations: Tuples respond to the + and * operators much like strings; they mean concatenation and repetition here too, except that the result is a new tuple, not a string. In fact, tuples respond to all of the general sequence operations we used on strings in the prior chapter : Python Expression len((1, 2, 3)) (1, 2, 3) + (4, 5, 6) ['Hi!'] * 4 3 in (1, 2, 3) for x in (1, 2, 3): print x, 3 (1, 2, 3, 4, 5, 6) ('Hi!', 'Hi!', 'Hi!', 'Hi!') True 123 Results Length Concatenation Repetition Membership Iteration Description

Indexing, Slicing, and Matrixes: Because tuples are sequences, indexing and slicing work the same way for tuples as they do for strings. Assuming following input: L = ('spam', 'Spam', 'SPAM!') Python Expression L[2] L[-2] 'SPAM!' 'Spam' Results Description Offsets start at zero Negative: count from the

73

Game Scripting with Python Tim Glasser right L[1:] No Enclosing Delimiters: Any set of multiple objects, comma-separated, written without identifying symbols, i.e., brackets for lists, parentheses for tuples, etc., default to tuples, as indicated in these short examples: #!/usr/bin/python print 'abc', -4.24e93, 18+6.6j, 'xyz'; x, y = 1, 2; print "Value of x , y : ", x,y; print var; This will reduce following result: abc -4.24e+93 (18+6.6j) xyz Value of x , y : 1 2 Built-in Tuple Functions: Python includes following tuple functions SN 1 2 3 4 5 Function with Description cmp(tuple1, tuple2) Compares elements of both tuples. len(tuple) Gives the total length of the tuple. max(tuple) Returns item from the tuple with max value. min(tuple) Returns item from the tuple with min value. tuple(seq) Converts a list into tuple. ['Spam', 'SPAM!'] Slicing fetches sections

74

Game Scripting with Python Tim Glasser

Dictionaries
A dictionary is mutable and is another container type that can store any number of Python objects, including other container types. Dictionaries consist of pairs (called items) of keys and their corresponding values. Python dictionaries are also known as associative arrays or hash tables. The general syntax of a dictionary is as follows: Dict = {'Alice': '2341', 'Beth': '9102', 'Cecil': '3258'} You can create dictionary in the following way as well: dict1 = { 'abc': 456 }; dict2 = { 'abc': 123, 98.6: 37 }; Each key is separated from its value by a colon (:), the items are separated by commas, and the whole thing is enclosed in curly braces. An empty dictionary without any items is written with just two curly braces, like this: {}. Keys are unique within a dictionary while values may not be. The values of a dictionary can be of any type, but the keys must be of an immutable data type such as strings, numbers, or tuples. Accessing Values in Dictionary: To access dictionary elements, you use the familiar square brackets along with the key to obtain its value: Example: #!/usr/bin/python dict = {'Name': 'Zara', 'Age': 7, 'Class': 'First'}; print "dict['Name']: ", dict['Name']; print "dict['Age']: ", dict['Age']; This will produce following result:

75

Game Scripting with Python Tim Glasser dict['Name']: Zara dict['Age']: 7 If we attempt to access a data item with a key which is not part of the dictionary, we get an error as follows: #!/usr/bin/python dict = {'Name': 'Zara', 'Age': 7, 'Class': 'First'}; print "dict['Alice']: ", dict['Alice']; This will produce following result: dict['Zara']: Traceback (most recent call last): File "test.py", line 4, in <module> print "dict['Alice']: ", dict['Alice']; KeyError: 'Alice' Updating Dictionary: You can update a dictionary by adding a new entry or item (i.e., a key-value pair), modifying an existing entry, or deleting an existing entry as shown below: Example: #!/usr/bin/python dict = {'Name': 'Zara', 'Age': 7, 'Class': 'First'}; dict['Age'] = 8; # update existing entry dict['School'] = "DPS School"; # Add new entry

print "dict['Age']: ", dict['Age']; print "dict['School']: ", dict['School']; This will produce following result: dict['Age']: 8 dict['School']: DPS School Delete Dictionary Elements: 76

Game Scripting with Python Tim Glasser You can either remove individual dictionary elements or clear the entire contents of a dictionary. You can also delete entire dictionary in a single operation. To explicitly remove an entire dictionary, just use the del statement: Example: #!/usr/bin/python dict = {'Name': 'Zara', 'Age': 7, 'Class': 'First'}; del dict['Name']; # remove entry with key 'Name' dict.clear(); # remove all entries in dict del dict ; # delete entire dictionary print "dict['Age']: ", dict['Age']; print "dict['School']: ", dict['School'];

This will produce following result. Note an exception raised, this is because after del dict dictionary does not exist any more: dict['Age']: Traceback (most recent call last): File "test.py", line 8, in <module> print "dict['Age']: ", dict['Age']; TypeError: 'type' object is unsubscriptable Note: del() method is discussed in subsequent section. Properties of Dictionary Keys: Dictionary values have no restrictions. They can be any arbitrary Python object, either standard objects or user-defined objects. However, same is not true for the keys. There are two important points to remember about dictionary keys: (a) More than one entry per key not allowed. Which means no duplicate key is allowed. When duplicate keys encountered during assignment, the last assignment wins. Example: #!/usr/bin/python

77

Game Scripting with Python Tim Glasser dict = {'Name': 'Zara', 'Age': 7, 'Name': 'Manni'}; print "dict['Name']: ", dict['Name']; This will produce following result: Dict['Name']: Manni (b) Keys must be immutable. Which means you can use strings, numbers, or tuples as dictionary keys but something like ['key'] is not allowed. Example: #!/usr/bin/python dict = {['Name']: 'Zara', 'Age': 7}; print "dict['Name']: ", dict['Name']; This will produce following result. Note an exception raised: Traceback (most recent call last): File "test.py", line 3, in <module> dict = {['Name']: 'Zara', 'Age': 7}; TypeError: list objects are unhashable Built-in Dictionary Functions & Methods: Python includes following dictionary functions SN 1 Function with Description cmp(dict1, dict2) Compares elements of both dict. len(dict) Gives the total length of the dictionary. This would be equal to the number of items in the dictionary. str(dict) Produces a printable string representation of a dictionary type(variable) Returns the type of the passed variable. If passed variable is dictionary then it would return a dictionary type.

78

Game Scripting with Python Tim Glasser Python includes following dictionary methods SN 1 2 2 3 4 5 6 7 8 9 Methods with Description dict.clear() Removes all elements of dictionary dict dict.copy() Returns a shallow copy of dictionary dict dict.fromkeys() Create a new dictionary with keys from seq and values set to value. dict.get(key, default=None) For key key, returns value or default if key not in dictionary dict.has_key(key) Returns true if key in dictionary dict, false otherwise dict.items() Returns a list of dict's (key, value) tuple pairs dict.keys() Returns list of dictionary dict's keys dict.setdefault(key, default=None) Similar to get(), but will set dict[key]=default if key is not already in dict dict.update(dict2) Adds dictionary dict2's key-values pairs to dict dict.values() Returns list of dictionary dict2's values

Exercises 1) Create a list that contains the names of 5 students of this class. (Do not ask for input to do that, simply create the list.) Print the list. Ask the user to input one more name and append it to the list. Print the list. Ask a user to input a number. Print the name that has that number as index. Add "John Smith" and "Mary Miller" at the beginning of the list (by using "+"). Print the list.

2) Continue with the script from 1.1): Print the list. Remove the last name from the list. Print the list. Ask a user to type a name. Check whether that name is in the list: if it is then delete it from the list. Otherwise add it at the end. Create a copy of the list in reverse order. Print the original list and the reverse list. 3) Create a Dictionary of names and phone numbers. Ask the user to input a name and return the appropriate phone number. 79

Game Scripting with Python Tim Glasser

Week 7 Object Oriented Programming Start Pygame Here

Exercises: 1) Create a board and a counter class which have a visual draw method using Pygame 2) How should the board and counters be linked together? 3) Create a sprite with animation and gamepad comtrol 4) Create a background tile set 16*16 loading from a text file 5) Integrate the sprite and background 6) Add an enemy sprite

80

Game Scripting with Python Tim Glasser

Week 8 Input and Output


This chapter will cover all the basic I/O functions available in Python. Printing to the Screen: The simplest way to produce output is using the print statement where you can pass zero or more expressions, separated by commas. This function converts the expressions you pass it to a string and writes the result to standard output as follows: #!/usr/bin/python print "Python is really a great language,", "isn't it?"; This would produce following result on your standard screen: Python is really a great language, isn't it? Reading Keyboard Input: Python provides two built-in functions to read a line of text from standard input, which by default comes from the your keyboard. These functions are: raw_input input The raw_input Function: The raw_input([prompt]) function reads one line from standard input and returns it as a string (removing the trailing newline): #!/usr/bin/python str = raw_input("Enter your input: "); print "Received input is : ", str This would prompt you to enter any string and it would display same string on the screen. When I typed "Hello Python!", it output is like this: Enter your input: Hello Python Received input is : Hello Python The input Function: 81

Game Scripting with Python Tim Glasser The input([prompt]) function is equivalent to raw_input, except that it assumes the input is a valid Python expression and returns the evaluated result to you: #!/usr/bin/python str = raw_input("Enter your input: "); print "Received input is : ", str This would produce following result against the entered input: Enter your input: [x*5 for x in range(2,10,2)] Recieved input is : [10, 20, 30, 40] Opening and Closing Files: Until now, you have been reading and writing to the standard input and output. Now we will see how to play with actual data files. Python provides basic functions and methods necessary to manipulate files by default. You can do your most of the file manipulation using a file object. The open Function: Before you can read or write a file, you have to open it using Python's built-in open() function. This function creates a file object which would be utilized to call other support methods associated with it. Syntax: file object = open(file_name [, access_mode][, buffering]) Here is paramters detail: file_name: The file_name argument is a string value that contains the name of the file that you want to access. access_mode: The access_mode determines the mode in which the file has to be opened ie. read, write append etc. A complete list of possible values is given below in the table. This is optional parameter and the default file access mode is read (r) buffering: If the buffering value is set to 0, no buffering will take place. If the buffering value is 1, line buffering will be performed while accessing a file. If you specify the buffering value as an integer greater than 1, then buffering action will be performed with the indicated buffer size. This is optional paramter. Here is a list of the different modes of opening a file: 82

Game Scripting with Python Tim Glasser Modes r rb r+ rb+ w wb w+ Description Opens a file for reading only. The file pointer is placed at the beginning of the file. This is the default mode. 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. Opens a file for both reading and writing. The file pointer will be at the beginning of the file. 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. 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. 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. 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. 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. 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. 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.

wb+

ab

a+

ab+

The file object atrributes: Once a file is opened and you have one file object, you can get various information related to that file. Here is a list of all attributes related to file object:

83

Game Scripting with Python Tim Glasser Attribute file.closed file.mode file.name file.softspace Example: #!/usr/bin/python # Open a file fo = open("foo.txt", "wb") print "Name of the file: ", fo.name print "Closed or not : ", fo.closed print "Opening mode : ", fo.mode print "Softspace flag : ", fo.softspace This would produce following result: Name of the file: foo.txt Closed or not : False Opening mode : wb Softspace flag : 0 The close() Method: The close() method of a file object flushes any unwritten information and closes the file object, after which no more writing can be done. Python automatically closes a file when the reference object of a file is reassigned to another file. It is a good practice to use the close() method to close a file. Syntax: fileObject.close(); Example: #!/usr/bin/python # Open a file fo = open("foo.txt", "wb") print "Name of the file: ", fo.name Description Returns true if file is closed, false otherwise. Returns access mode with which file was opened. Returns name of the file. Returns false if space explicitly required with print, true otherwise.

84

Game Scripting with Python Tim Glasser

# Close opend file fo.close() This would produce following result: Name of the file: foo.txt Reading and Writing Files: The file object provides a set of access methods to make our lives easier. We would see how to use read() and write() methods to read and write files. The write() Method: The write() method writes any string to an open file. It is important to note that Python strings can have binary data and not just text. The write() method does not add a newline character ('\n') to the end of the string: Syntax: fileObject.write(string); Here passed parameter is the content to be written into the opend file. Example: #!/usr/bin/python # Open a file fo = open("foo.txt", "wb") fo.write( "Python is a great language.\nYeah its great!!\n"); # Close opend file fo.close() The above method would create foo.txt file and would write given content in that file and finally it would close that file. If you would open this file, it would have following content Python is a great language. Yeah its great!!

85

Game Scripting with Python Tim Glasser The read() Method: The read() method read a string from an open file. It is important to note that Python strings can have binary data and not just text. Syntax: fileObject.read([count]); Here passed parameter is the number of bytes to be read from the opend file. This method starts reading from the beginning of the file and if count is missing then it tries to read as much as possible, may be until the end of file. Example: Let's take a file foo.txt which we have created above. #!/usr/bin/python # Open a file fo = open("foo.txt", "r+") str = fo.read(10); print "Read String is : ", str # Close opend file fo.close() This would produce following result: Read String is : Python is 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. Example:

86

Game Scripting with Python Tim Glasser Let's take a file foo.txt which we have created above. #!/usr/bin/python # Open a file fo = open("foo.txt", "r+") str = fo.read(10); print "Read String is : ", str # Check current position position = fo.tell(); print "Current file position : ", position # Reposition pointer at the beginning once again position = fo.seek(0, 0); str = fo.read(10); print "Again read String is : ", str # Close opend file fo.close() This would produce following result: Read String is : Python is Current file position : 10 Again read String is : Python is Renaming and Deleting Files: Python os module provides methods that help you perform file-processing operations, such as renaming and deleting files. To use this module you need to import it first and then you can all any related functions. The rename() Method: The rename() method takes two arguments, the current filename and the new filename. Syntax: os.rename(current_file_name, new_file_name) Example: Following is the example to rename an existing file test1.txt:

87

Game Scripting with Python Tim Glasser #!/usr/bin/python import os # Rename a file from test1.txt to test2.txt os.rename( "test1.txt", "test2.txt" ) The delete() Method: You can use the delete() method to delete files by supplying the name of the file to be deleted as the argument. Syntax: os.delete(file_name) Example: Following is the example to delete an existing file test2.txt: #!/usr/bin/python import os # Delete file test2.txt os.delete("text2.txt")

Exercises: 1) Ask the user for a Python script file, open the file and report how many lines and how many words are in the file. Dont forget to close the file.

2) Create the 1-12 times tables and format the output in to a file named after the first argument to the script

88

Game Scripting with Python Tim Glasser

Week 9 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. 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 The import Statement: You can use any Python source file as a module by executing an import statement in some other Python source file. import has the following syntax: import module1[, module2[,... moduleN] When the interpreter encounters an import statement, it imports the module if the module is present in the search path. Asearch 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 hellp.print_func("Zara")

89

Game Scripting with Python Tim Glasser

This would produce following result: Hello : 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. The from...import Statement Python's from statement lets you import specific attributes from a module into the current namespace: Syntax: from modname import name1[, name2[, ... nameN]] Example: For example, to import the function fibonacci from the module fib, use the following statement: from fib import fibonacci This statement does not import the entire module fib into the current namespace; it just introduces the item fibonacci from the module fib into the global symbol table of the importing module. The from...import * Statement: It is also possible to import all names from a module into the current namespace by using the following import statement: from modname import * This provides an easy way to import all the items from a module into the current namespace; however, this statement should be used sparingly. Locating Modules: When you import a module, the Python interpreter searches for the module in the following sequences:

90

Game Scripting with Python Tim Glasser The current directory. If the module isn't found, Python then searches each directory in the shell variable PYTHONPATH. If all else fails, Python checks the default path. On UNIX, this default path is normally /usr/local/lib/python/. The module search path is stored in the system module sys as the sys.path variable. The sys.path variable contains the current directory, PYTHONPATH, and the installationdependent default. The PYTHONPATH Variable: The PYTHONPATH is an environment variable, consisting of a list of directories. The syntax of PYTHONPATH is the same as that of the shell variable PATH. Here is a typical PYTHONPATH from a Windows system: set PYTHONPATH=c:\python20\lib; And here is a typical PYTHONPATH from a UNIX system: set PYTHONPATH=/usr/local/lib/python Namespaces and Scoping: Variables are names (identifiers) that map to objects. A namespace is a dictionary of variable names (keys) and their corresponding objects (values). A Python statement can access variables in a local namespace and in the global namespace. If a local and a global variable have the same name, the local variable shadows the global variable. Each function has its own local namespace. Class methods follow the same scoping rule as ordinary functions. Python makes educated guesses on whether variables are local or global. It assumes that any variable assigned a value in a function is local. Therefore, in order to assign a value to a global variable within a function, you must first use the global statement. The statement global VarName tells Python that VarName is a global variable. Python stops searching the local namespace for the variable.

91

Game Scripting with Python Tim Glasser For example, we define a variable Money in the global namespace. Within the function Money, we assign Money a value . therefor Python assumes Money is a local variable. However, we access the value of the local variable Money before setting it, so an UnboundLocalError is the result. Uncommenting the global statement fixes the problem. #!/usr/bin/python Money = 2000 def AddMoney(): # Uncomment the following line to fix the code: # global Money Money = Money + 1 print Money AddMoney() print Money The dir( ) Function: The dir() built-in function returns a sorted list of strings containing the names defined by a module. The list contains the names of all the modules, variables, and functions that are defined in a module. Example: #!/usr/bin/python # Import built-in module math import math content = dir(math) print content; This would produce following result: ['__doc__', '__file__', '__name__', 'acos', 'asin', 'atan', 'atan2', 'ceil', 'cos', 'cosh', 'degrees', 'e', 'exp', 'fabs', 'floor', 'fmod', 'frexp', 'hypot', 'ldexp', 'log', 'log10', 'modf', 'pi', 'pow', 'radians', 'sin', 'sinh', 'sqrt', 'tan', 'tanh']

92

Game Scripting with Python Tim Glasser Here the special string variable __name__ is the module's name, and __file__ is the filename from which the module was loaded. The globals() and locals() Functions: The globals() and locals() functions can be used to return the names in the global and local namespaces depending on the location from where they are called. If locals() is called from within a function, it will return all the names that can be accessed locally from that function. If globals() is called from within a function, it will return all the names that can be accessed globally from that function. The return type of both these functions is dictionary. Therefore, names can be extracted using the keys() function. The reload() Function: When the module is imported into a script, the code in the top-level portion of a module is executed only once. Therefore, if you want to reexecute the top-level code in a module, you can use the reload() function. The reload() function imports a previously imported module again. Syntax: The syntax of the reload() function is this: reload(module_name) Here module_name is the name of the module you want to reload and not the string containing the module name. For example to re-load hello module, do the following: reload(hello)

93

Game Scripting with Python Tim Glasser

Week 10 Handling Errors


Python provides two very important features to handle any unexpected error in your Python programs and to add debugging capabilities in them: Exception Handling: This would be covered in this tutorial. Assertions: This would be covered in another tutorial. What is Exception? An exception is an event, which occurs during the execution of a program, which then disrupts the normal flow of the program's instructions. In general, when a Python script encounters a situation that it can't cope with, it raises an exception. An exception is a Python object that represents an error. When a Python script raises an exception, it must either handle the exception immediately otherwise it would terminate and come out. 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 above the above mentioned syntax:

94

Game Scripting with Python Tim Glasser 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 elseblock 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. Example: Here is simple example which opens a file and writes the content in the file and comes out gracefully because there is no problem at all: #!/usr/bin/python try: fh = open("testfile", "w") fh.write("This is my test file for exception handling!!") except IOError: print "Error: can\'t find file or read data" else: print "Written content in the file successfully" fh.close() This will produce following result: Written content in the file successfully Example: Here is one more simple example which tries to open a file where you do not have permission to write in the file so it raises an exception: #!/usr/bin/python try: fh = open("testfile", "w") fh.write("This is my test file for exception handling!!") except IOError: print "Error: can\'t find file or read data" else: print "Written content in the file successfully" This will produce following result:

95

Game Scripting with Python Tim Glasser Error: can't find file or read data The except clause with no exceptions: You can also use the except statement with no exceptions defined as follows: try: Do you operations here; ...................... except: If there is any exception, then execute this block. ...................... else: If there is no exception then execute this block. This kind of a try-except statement catches all the exceptions that occur. Using this kind of try-except statement is not considered a good programming practice, though, because it catches all exceptions but does not make the programmer identify the root cause of the problem that may occur. The except clause with multiple exceptions: You can also use the same except statement to handle multiple exceptions as follows: try: Do you operations here; ...................... except(Exception1[, Exception2[,...ExceptionN]]]): If there is any exception from the given exception list, then execute this block. ...................... else: If there is no exception then execute this block. Standard Exceptions: Here is a list standard Exceptions available in Python: Standard Exceptions The try-finally clause: You can use a finally: block along with a try: block. The finally block is a place to put any code that must execute, whether the try-block raised an exception or not. The syntax of the try-finally statement is this:

96

Game Scripting with Python Tim Glasser try: Do you operations here; ...................... Due to any exception, this may be skipped. finally: This would always be executed. ...................... Note that you can provide except clause(s), or a finally clause, but not both. You can not use else clause as well along with a finally clause. Example: #!/usr/bin/python try: fh = open("testfile", "w") fh.write("This is my test file for exception handling!!") finally: print "Error: can\'t find file or read data" If you do not have permission to open the file in writing mode then this will produce following result: Error: can't find file or read data Same example can be written more cleanly as follows: #!/usr/bin/python try: fh = open("testfile", "w") try: fh.write("This is my test file for exception handling!!") finally: fh.close() except IOError: print "Error: can\'t find file or read data" When an exception is thrown in the try block, the execution immediately passes to the finally block. After all the statements in the finally block are executed, the exception is raised again and is handled in the except statements if present in the next higher layer of the try-except statement.

97

Game Scripting with Python Tim Glasser

Appendix A Designing and Implementing a Tic Tac Toe Game


We will now create a Tic Tac Toe game where the player plays against a simple artificial intelligence. Artificial intelligence (or AI) is a computer program that can intelligently respond to the player's moves. This game doesn't introduce any complicated new concepts. We will see that the artificial intelligence that plays Tic Tac Toe is really just several lines of code. So in a new file editor window, type in this source code and save it as tictactoe.py. Then run the game by pressing F5. Sample Run Welcome to Tic Tac Toe! Do you want to be X or O? X The computer will go first. | | O | | | | ----------| | | | | | ----------| | | | | | What is your next move? (1-9) 3 | | O | | | | ----------| | | | | | ----------| | O | | X | | What is your next move? (1-9) 4 | | O | | O | | ----------| | X | | 98

Game Scripting with Python Tim Glasser | | ----------| | O | | X | | What is your next move? (1-9) 5 | | O | O | O | | ----------| | X | X | | | ----------| | O | | X | | The computer has beaten you! You lose. Do you want to play again? (yes or no) no

Designing the Program


Tic Tac Toe is a very easy and short game to play on paper. In our Tic Tac Toe computer game, we'll let the player choose if they want to be X or O, randomly choose who goes first, and then let the player and computer take turns making moves on the board. Here is what a flow chart of this game could look like:

99

Game Scripting with Python Tim Glasser

You can see a lot of the boxes on the left side of the chart are what happens during the player's turn. The right side of the chart shows what happens on the computer's turn. The player has an extra box for drawing the board because the computer doesn't need the board printed on the screen. After the player or computer makes a move, we check if they won or caused a tie, and then the game switches turns. If either the computer or player ties or wins the game, we ask the player if they want to play again. First, we need to figure out how we are going to represent the board as a variable. We are going to represent the Tic Tac Toe board as a list of ten strings. The ten strings will represent each of the nine positions on the board (and we will ignore one of our strings). The strings will either be 'X' for the X player, 'O' for the O player, or a space string ' ' to mark a spot on the board where no one has marked yet. To make it easier to remember which index in the list is for which piece, we will mirror the numbers on the keypad of our keyboard. (Because there is no 0 on the keypad, we will just ignore the string at index 0 in our list.) So if we had a list with ten strings named board, then board[7] would be the topleft square on the board (either an X, O, or blank space). board[5] would be the very

100

Game Scripting with Python Tim Glasser center. When the player types in which place they want to move, they will type a number from 1 to 9.

Game AI
Just to be clear, we will label three types of spaces on the Tic Tac Toe board: corners, sides, and the center. Here is a chart of what each space is:

The AI for this game will follow a simple algorithm. An algorithm is a series of instructions to compute something. Our Tic Tac Toe AI's algorithm will determine which is the best place to move. Our algorithm will have the following steps: 1. First, see if there is a move the computer can make that will win the game. If there is, take that move. Otherwise, go to step 2. 2. See if there is a move the player can make that will cause the computer to lose the game. If there is, we should move there to block the player. Otherwise, go to step 3. 3. Check if any of the corner spaces (spaces 1, 3, 7, or 9) are free. (We always want to take a corner piece instead of the center or a side piece.) If no corner piece is free, then go to step 4. 4. Check if the center is free. If so, move there. If it isn't, then go to step 5. 5. Move on any of the side pieces (spaces 2, 4, 6, or 8). There are no more steps, because if we have reached step 5 the side spaces are the only spaces left.

Source Code
1. # Tic Tac Toe 2. 3. import random A comment and importing the random module so we can use the randint() function in our game.

101

Game Scripting with Python Tim Glasser 5. def drawBoard(board): 6. # This function prints out the board that it was passed. 7. 8. # "board" is a list of 10 strings representing the board (ignore index 0) 9. print ' | |' 10. print ' ' + board[7] + ' | ' + board[8] + ' | ' + board[9] 11. print ' | |' 12. print '-----------' 13. print ' | |' 14. print ' ' + board[4] + ' | ' + board[5] + ' | ' + board[6] 15. print ' | |' 16. print '-----------' 17. print ' | |' 18. print ' ' + board[1] + ' | ' + board[2] + ' | ' + board[3] 19. print ' | |' This function will print out the game board, marked as directed by the board parameter. Many of our functions will work by passing the board as a list of ten strings to our functions. Be sure to get the spacing right in the strings that are printed, otherwise the board will look funny when it is printed on the screen. Just as an example, here are some values that the board parameter could have (on the left) and what the drawBoard() function would print out: drawBoard(board) output | | X | | O | | ----------| | X | O | | | ----------| | | | | | | | | | | | ----------| | | X |

board data structure

[' ', ' ', ' ', ' ', 'X', 'O', ' ', 'X', ' ', 'O']

[' ', 'O', 'O', ' ', ' ', 'X', ' ', ' ', ' ', ' ']

102

Game Scripting with Python Tim Glasser

| | ----------| | O | O | | | | | | | | | ----------| | | | | | ----------| | | | | | | | X | X | X | | ----------| | X | X | X | | ----------| | X | X | X | |

[' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ', ' ']

[' ', 'X', 'X', 'X', 'X', 'X', 'X', 'X', 'X', 'X']

Copyright 2008, 2009 by Albert Sweigart "Invent Your Own Computer Games with Python" is licensed under a Creative Commons Attribution-Noncommercial-Share Alike 3.0 United States License.

103

Game Scripting with Python Tim Glasser

Appendix B Object Oriented Programming


Objectives Understand the basic Object Oriented principles, which is composed of: Understanding the idea of a component Understanding Objects Understanding Classes Understandinding Inheritance Understanding the Interface and Encapsulation

Object-Oriented Programming Concepts If you've never used an object-oriented programming language before, you will need to learn a few basic concepts before you can begin writing any code. This lesson will introduce you to objects, classes, inheritance, and interfaces. Each discussion focuses on how these concepts relate to the real world, while simultaneously providing an introduction to the syntax of the C++ programming language. What Is an Object? An object is a software bundle of related state and behavior. Software objects are often used to model the real-world objects that you find in everyday life. This lesson explains how state and behavior are represented within an object, introduces the concept of data encapsulation, and explains the benefits of designing your software in this manner. What Is an Object? Objects are key to understanding object-oriented technology. Look around right now and you'll find many examples of real-world objects: your dog, your desk, your television set, your bicycle. Real-world objects share two characteristics: They all have state and behavior. Dogs have state (name, color, breed, hungry) and behavior (barking, fetching, wagging tail). Bicycles also have state (current gear, current pedal cadence, current speed) and behavior (changing gear, changing pedal cadence, applying brakes). Identifying the state and behavior for real-world objects is a great way to begin thinking in terms of objectoriented programming. Take a minute right now to observe the real-world objects that are in your immediate area. For each object that you see, ask yourself two questions: "What possible states can this object be in?" and "What possible behavior can this object perform?". Make sure to write down your observations. As you do, you'll notice that real-world objects vary in complexity; your desktop lamp may have only two possible states (on and off) and two possible behaviors (turn on, turn off), but your desktop radio might have additional states (on, off, current volume, current station) and behavior (turn on, turn off, increase volume, decrease volume, seek, scan, and tune). You may also notice that some objects, in turn,

104

Game Scripting with Python Tim Glasser will also contain other objects. These real-world observations all translate into the world of object-oriented programming.

A software object.

Software objects are conceptually similar to real-world objects: they too consist of state and related behavior. An object stores its state in fields (variables in some programming languages) and exposes its behavior through methods (functions in some programming languages). Methods operate on an object's internal state and serve as the primary mechanism for object-to-object communication. Hiding internal state and requiring all interaction to be performed through an object's methods is known as data encapsulation a fundamental principle of object-oriented programming. Consider a bicycle, for example:

A bicycle modeled as a software object.

By attributing state (current speed, current pedal cadence, and current gear) and providing methods for changing that state, the object remains in control of how the outside world is allowed to use it. For example, if the bicycle only has 6 gears, a method to change gears could reject any value that is less than 1 or greater than 6.

105

Game Scripting with Python Tim Glasser Bundling code into individual software objects provides a number of benefits, including: 1. Modularity: The source code for an object can be written and maintained independently of the source code for other objects. Once created, an object can be easily passed around inside the system. Information-hiding: By interacting only with an object's methods, the details of its internal implementation remain hidden from the outside world. Code re-use: If an object already exists (perhaps written by another software developer), you can use that object in your program. This allows specialists to implement/test/debug complex, task-specific objects, which you can then trust to run in your own code. Debugging ease: If a particular object turns out to be problematic, you can simply remove it from your application and plug in a different object as its replacement. This is analogous to fixing mechanical problems in the real world. If a bolt breaks, you replace it, not the entire machine.

2. 3.

4.

What Is a Class?
A class is a blueprint or prototype from which objects are created. This section defines a class that models the state and behavior of a real-world object. It intentionally focuses on the basics, showing how even simple classes can cleanly model state and behavior. In the real world, you'll often find many individual objects all of the same kind. There may be thousands of other bicycles in existence, all of the same make and model. Each bicycle was built from the same set of blueprints and therefore contains the same components. In object-oriented terms, we say that your bicycle is an instance of the class of objects known as bicycles. A class is the blueprint from which individual objects are created. The following Bicycle class is one possible implementation of a bicycle:
class Bicycle { int cadence = 0; int speed = 0; int gear = 1; void changeCadence(int newValue) { cadence = newValue; } void changeGear(int newValue) { gear = newValue; } void speedUp(int increment) { speed = speed + increment; }

106

Game Scripting with Python Tim Glasser

void applyBrakes(int decrement) { speed = speed - decrement; } void printStates() { System.out.println("cadence:"+cadence+" speed:"+speed+" gear:"+gear); } }

The design of this class is based on the previous discussion of bicycle objects. The fields cadence, speed, and gear represent the object's state, and the methods (changeCadence, changeGear, speedUp etc.) define its interaction with the outside world. You may have noticed that the Bicycle class does not contain a main method. That's because it's not a complete application; it's just the blueprint for bicycles that might be used in an application. The responsibility of creating and using new Bicycle objects belongs to some other class in your application. Here's a BicycleDemo class that creates two separate Bicycle objects and invokes their methods:
void main(String[] args) { // Create two different Bicycle objects Bicycle bike1 = new Bicycle(); Bicycle bike2 = new Bicycle(); // Invoke methods on those objects bike1.changeCadence(50); bike1.speedUp(10); bike1.changeGear(2); bike1.printStates(); bike2.changeCadence(50); bike2.speedUp(10); bike2.changeGear(2); bike2.changeCadence(40); bike2.speedUp(10); bike2.changeGear(3); bike2.printStates(); }

The output of this test prints the ending pedal cadence, speed, and gear for the two bicycles:
cadence:50 speed:10 gear:2 cadence:40 speed:20 gear:3

Inheritance Inheritance provides a powerful and natural mechanism for organizing and structuring your software. This section explains how classes inherit state and behavior from their 107

Game Scripting with Python Tim Glasser superclasses, and explains how to derive one class from another using the simple syntax provided by the C++ programming language. What Is Inheritance? Different kinds of objects often have a certain amount in common with each other. Mountain bikes, road bikes, and tandem bikes, for example, all share the characteristics of bicycles (current speed, current pedal cadence, current gear). Yet each also defines additional features that make them different: tandem bicycles have two seats and two sets of handlebars; road bikes have drop handlebars; some mountain bikes have an additional chain ring, giving them a lower gear ratio. Object-oriented programming allows classes to inherit commonly used state and behavior from other classes. In this example, Bicycle now becomes the superclass of MountainBike, RoadBike, and TandemBike. In the Java programming language, each class is allowed to have one direct superclass, and each superclass has the potential for an unlimited number of subclasses:

A hierarchy of bicycle classes.

The syntax for creating a subclass is simple. At the beginning of your class declaration, use the extends keyword, followed by the name of the class to inherit from:
class MountainBike :public Bicycle { // new fields and methods defining a mountain bike would go here }

This gives MountainBike all the same fields and methods as Bicycle, yet allows its code to focus exclusively on the features that make it unique. This makes code for your

108

Game Scripting with Python Tim Glasser subclasses easy to read. However, you must take care to properly document the state and behavior that each superclass defines, since that code will not appear in the source file of each subclass.

What Is an Interface? An interface is a contract between a class and the outside world. When a class implements an interface, it promises to provide the behavior published by that interface. This section defines a simple interface and explains the necessary changes for any class that implements it. As you've already learned, objects define their interaction with the outside world through the methods that they expose. Methods form the object's interface with the outside world; the buttons on the front of your television set, for example, are the interface between you and the electrical wiring on the other side of its plastic casing. You press the "power" button to turn the television on and off. In its most common form, an interface is a group of related methods with empty bodies. A bicycle's behavior, if specified as an interface, might appear as follows:
class IBicycle { void changeCadence(int newValue){}; void changeGear(int newValue){}; void speedUp(int increment){}; void applyBrakes(int decrement){}; }

Note that this is an abstract class. Why? To implement this interface, the name of your class would change (to ACMEBicycle, for example), and you'd use the implements keyword in the class declaration:
class ACMEBicycle: public IBicycle { // remainder of this class implemented as before }

Implementing an interface allows a class to become more formal about the behavior it promises to provide. Interfaces form a contract between the class and the outside world, and this contract is enforced at build time by the compiler. If your class claims to implement an interface, all methods defined by that interface must appear in its source code before the class will successfully compile.

109

Game Scripting with Python Tim Glasser

Appendix C - Graphics and Animation with Pygame


So far, all of our games have only used text. Text is displayed on the screen as output, and the player types in text from the keyboard as input. This is simple, and an easy way to learn programming. But in this chapter, we will make some more exciting games with advanced graphics and sound using the Pygame library. A software library is code that is not meant to be run by itself, but included in other programs to add new features. By using a library a programmer doesn't have to write the entire program, but can make use of the work that another programmer has done before them. Pygame is a software library for graphics, sound, and other features that games commonly use. Like Python, Pygame is available for free. You will have to download and install Pygame, which is as easy as downloading and installing the Python interpreter. In a web browser, go to the URL http://pygame.org and click on the Downloads link on the left side of the web site. This book assumes you have the Windows operating system, but Pygame works the same for every operating system. You need to download the Pygame installer for your operating system and your version of Python. You do not want to download the "source" for Pygame, but rather the Pygame for your operating system. For Windows, download the pygame-1.8.1.win32-py2.6.msi file. (This is Pygame for Python 2.6 on Windows. If you installed a different version of Python (such as 2.5 or 2.4) download the .msi file for your version of Python.) The current version of Pygame at the time this book was written is 1.8.1. If you see a newer version on the website, download and install the newer Pygame. For Mac OS X and Linux, follow the directions on the download page for installation instructions.

110

Game Scripting with Python Tim Glasser

On Windows, double click on the downloaded file to install Pygame. To check that Pygame is install correctly, type the following into the interactive shell: >>> import pygame I f nothing appears after you hit the Enter key, then you know Pygame has successfully been installed. If the error ImportError: No module named pygame appears, then try to install Pygame again (and make sure you typed import pygame correctly). This chapter has five small programs that demonstrate how to use the different features that Pygame provides. In the last chapter, you will use these features for a complete game written in Python with Pygame. Games consist largely of user input, game output and some sort of world simulation. The key to designing interesting games is to do something different or new. Python is a really nice language for writing game simulations in. Fortunately, other people have done a really excellent job of providing Python libraries for user input and game output. Python is possibly the simplest language for writing game simulations in. It's clear to read and write, easy to learn, handles a lot of programming housekeeping and is reasonably fast. PyGame provides user input handling (mouse, keyboard, joystick) and game output via the screen (shape drawing, image blitting, font rendering) and sound devices (effects and music). Creating and Managing the Screen from pygame.locals import * screen = pygame.display.set_mode((1024, 768)) screen = pygame.display.set_mode((1024, 768), FULLSCREEN)

Call set_mode to switch from windowed (the default) to fullscreen mode. Other display mode flags (you just | them together): DOUBLEBUF should be used for smooth animation. If you are using DOUBLEBUF, then you need to flip the screen after you've rendered it.
pygame.display.flip()

Drawing an Image

111

Game Scripting with Python Tim Glasser

To draw an image on screen we use one of the most important drawing primitives, the BLIT (Block Image Transfer). This copies an image from one place (eg. your source image) to another place (e.g. the screen at x = 50, y = 100). car = pygame.image.load('car.png') screen.blit(car, (50, 100)) pygame.display.flip() The car should appear on the screen with its top left corner positioned at (50, 100). We always start counting x coordinates from the left, and y coordinates from the top of the screen. Images can also be rotated: import math car = pygame.image.load('car.png') rotated = pygame.transform.rotate(car, 45 * math.pi / 180) screen.blit(car, (50, 100)) pygame.display.flip()

Animating the Image Animating anything on screen involves drawing a scene, clearing it and drawing it again slightly differently: for i in range(100): screen.fill((0, 0, 0)) screen.blit(car, (i, 0))

Clearing and redrawing a screen is quite a slow technique of animating. It's usually better to update the parts of the screen that have changed instead. Sprites, mentioned later, help us do this. Input handling There are a number of ways to get user events in PyGame, the most common of which are: import pygame pygame.event.wait() pygame.event.poll() pygame.event.get()

112

Game Scripting with Python Tim Glasser

Wait will sit and block further game execution until an event comes along. This is not generally very useful for games, as you animation needs to happen simultaneously. Poll will see whether there are any events waiting for processing. If there are no events, it returns NOEVENT and you can do other things. Get, is like poll except that it returns all of the currently outstanding events (you may also filter the events it returns to be only key presses, or mouse moves, etc.) Timing Without timing control, your game will run as fast as it possibly can on whatever platform it happens to be on. Timing control is easy to add:
clock = pygame.time.Clock() FRAMES_PER_SECOND = 30 deltat = clock.tick(FRAMES_PER_SECOND)

tick instructs the clock object to pause until 1/30th of a second has passed since the last call to tick. This effectively limits the number of calls to tick to 30 per second. The actual time between tick calls is returned (in milliseconds) on slower computers you might not be achieving 30 ticks per second. Note that the 30 frames per second will also determine how often your game responds to user input, as that is checked at the same time that the screen is drawn. Checking for user input any slower than 30 frames per second will result in noticeable delays for the user.30 times a second is a reasonable number to aim for If a game is action oriented, you may wish to aim for double that so that players feel their input is being processed in a super responsive manner. Bringing together some elements The following code will animate our little car according to user controls. It consists broadly of four sections (initialization, user input, animation and rendering):
# INTIALISATION import pygame, math, sys from pygame.locals import * screen = pygame.display.set_mode((1024, 768)) car = pygame.image.load('car.png') clock = pygame.time.Clock() k_up = k_down = k_left = k_right = 0 speed = direction = 0 position = (100, 100) TURN_SPEED = 5

113

Game Scripting with Python Tim Glasser


ACCELERATION = 2 MAX_FORWARD_SPEED = 10 MAX_REVERSE_SPEED = 5 BLACK = (0,0,0) # GAME LOOP while 1: # USER INPUT clock.tick(30) for event in pygame.event.get(): if not hasattr(event, 'key'): continue down = event.type == KEYDOWN # key down if event.key == K_RIGHT: k_right = down elif event.key == K_LEFT: k_left = down elif event.key == K_UP: k_up = down * 2 elif event.key == K_DOWN: k_down = down elif event.key == K_ESCAPE: sys.exit(0) screen.fill(BLACK)

or up? * 5 * 5 * 2 # quit the game

# SIMULATION # .. new speed and direction based on acceleration and turn speed += (k_up + k_down) if speed > MAX_FORWARD_SPEED: speed = MAX_FORWARD_SPEED if speed < MAX_REVERSE_SPEED: speed = MAX_REVERSE_SPEED direction += (k_right + k_left) # .. new position based on current position, speed and direction x, y = position rad = direction * math.pi / 180 x += speed* math.sin(rad) y += speed* math.cos(rad) position = (x, y) # RENDERING # .. rotate the car image for direction rotated = pygame.transform.rotate(car, direction) # .. position the car on screen rect = rotated.get_rect() rect.center = position # .. render the car to screen screen.blit(rotated, rect) pygame.display.flip()

More structure Most designs will need better control simulation and rendering. To do this, we can use sprites. A sprite holds an image (e.g. a car) and information about where that image should be drawn on screen (i.e. its position.) This information is stored on the sprite's

114

Game Scripting with Python Tim Glasser image and rectangle(rect) attributes. Sprites are always dealt with in groups - even if a group only has one Sprite. Sprite groups have a draw method which draws the group's sprites onto a supplied surface. They also have a clear method which can remove their sprites from the surface. The above code rewritten using a sprite:

# INTIALISATION import pygame, math, sys from pygame.locals import * screen = pygame.display.set_mode((1024, 768)) clock = pygame.time.Clock() class CarSprite(pygame.sprite.Sprite): MAX_FORWARD_SPEED = 10 MAX_REVERSE_SPEED = 10 ACCELERATION = 2 TURN_SPEED = 5 def __init__(self, image, position): pygame.sprite.Sprite.__init__(self) self.src_image = pygame.image.load(image) self.position = position self.speed = self.direction = 0 self.k_left = self.k_right = self.k_down = self.k_up = 0 def update(self, deltat): # SIMULATION self.speed += (self.k_up + self.k_down) if self.speed > self.MAX_FORWARD_SPEED: self.speed = self.MAX_FORWARD_SPEED if self.speed < self. MAX_REVERSE_SPEED: self.speed = self. MAX_REVERSE_SPEED self.direction += (self.k_right + self.k_left) x, y = self.position rad = self.direction * math.pi / 180 x += self. speed*math.sin(rad) y += self. speed*math.cos(rad) self.position = (x, y) self.image = pygame.transform.rotate(self.src_image, self.direction) self.rect = self.image.get_rect() self.rect.center = self.position

115

Game Scripting with Python Tim Glasser

# CREATE A CAR AND RUN rect = screen.get_rect() car = CarSprite('car.png', rect.center) car_group = pygame.sprite.RenderPlain(car)

while 1: # USER INPUT deltat = clock.tick(30) for event in pygame.event.get(): if not hasattr(event, 'key'): continue down = event.type == KEYDOWN if event.key == K_RIGHT: car.k_right = down * 5 elif event.key == K_LEFT: car.k_left = down * 5 elif event.key == K_UP: car.k_up = down * 2 elif event.key == K_DOWN: car.k_down = down * 2 elif event.key == K_ESCAPE: sys.exit(0) # RENDERING screen.fill((0,0,0)) car_group.update(deltat) car_group.draw(screen) pygame.display.flip()

Mostly the code has just been moved around a little. The benefit of sprites really comes when you have a lot of images to draw on screen. PyGame sprites have additional functionality that help us determine collisions. Checking for collisions is really pretty easy. Let's put some pads to drive over into the simulation:

class PadSprite(pygame.sprite.Sprite): normal = pygame.image.load('pad_normal.png') hit = pygame.image.load('pad_hit.png') def __init__(self, position): self.rect = pygame.Rect(self.normal.get_rect()) self.rect.center = position def update(self, hit_list): if self in hit_list: self.image = self.hit else: self.image = self.normal pads = [

116

Game Scripting with Python Tim Glasser PadSprite((200, 200)), PadSprite((800, 200)), PadSprite((200, 600)), PadSprite((800, 600)), ] pad_group = pygame.sprite.RenderPlain(*pads)

now at the animation point, just before we draw the car, we check to see whether the car sprite is colliding with any of the pads, and pass that information to pad.update() so each pad knows whether to draw itself hit or not: collisions = pygame.sprite.spritecollide(car_group, pad_group) pad_group.update(collisions) pad_group.draw(screen) So now we have a car, running around on the screen, controlled by the player and we can detect when the car hits other things on the screen. Adding objectives It would be great if we could determine whether the car has made a "lap" of the "circuit" we've constructed. We'll keep information indicating which order the pads must be visited: class PadSprite(pygame.sprite.Sprite): normal = pygame.image.load('pad_normal.png') hit = pygame.image.load('pad_hit.png') def __init__(self, number, position): pygame.sprite.Sprite.__init__(self) self.number = number self.rect = pygame.Rect(self.normal.get_rect()) self.rect.center = position self.image = self.normal pads = [ PadSprite(1, (200, 200)), PadSprite(2, (800, 200)), PadSprite(3, (200, 600)), PadSprite(4, (800, 600)), ] current_pad_number = 0 Now we replace the pad collision from above with code that makes sure we hit them in the correct order: pads = pygame.sprite.spritecollide(car, pad_group, False) if pads: pad = pads[0]

117

Game Scripting with Python Tim Glasser if pad.number == current_pad_number + 1: pad.image = pad.hit current_pad_number += 1 elif current_pad_number == 4: for pad in pad_group.sprites(): pad.image = pad.normal current_pad_number = 0 The last part of that text, resetting the current_pad_number is where we'd flag that the player has run a lap. Adding a background Currently we are clearing the screen on every frame before rendering (screen.fill((0,0,0))). This is quite slow (though you might not notice) and is easily improved upon. Firstly outside the animation loop we load up a background image and draw it to the screen: background = pygame.image.load('track.png') screen.blit(self.background, (0,0))

Now inside the loop, but before we update and move the car, we ask the car's sprite to clear itself from the screen. We do this with the pads too:

background = pygame.image.load('track.png') screen.blit(self.background, (0,0)) pad_group.clear(screen, background) car_group.clear(screen, background)

Now we are only ever updating the small areas of screen that we need to update. A further optimization would be to recognize that the pads only get updated very infrequently, and not draw / clear them each frame unless their state actually changes. This optimization is not necessary just yet, and a good rule of thumb is to not optimize unless you really need to, it just unnecessarily complicates your code.

118

You might also like