KEMBAR78
Python Learn Python in 24 Hours Robert Dwigh | PDF | Python (Programming Language) | Shell (Computing)
100% found this document useful (3 votes)
1K views168 pages

Python Learn Python in 24 Hours Robert Dwigh

Aprende el lenguaje de progrmamacion Python de la forma mas rapida y productiva, con este afamado libro, (el cual me he tomado la molestia de leer y he sentado las bases del lenguaje). Tened en cuenta que el lenguaje del libro es Ingles

Uploaded by

Juan Luna Lama
Copyright
© © All Rights Reserved
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
100% found this document useful (3 votes)
1K views168 pages

Python Learn Python in 24 Hours Robert Dwigh

Aprende el lenguaje de progrmamacion Python de la forma mas rapida y productiva, con este afamado libro, (el cual me he tomado la molestia de leer y he sentado las bases del lenguaje). Tened en cuenta que el lenguaje del libro es Ingles

Uploaded by

Juan Luna Lama
Copyright
© © All Rights Reserved
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/ 168

Python:

Learn Python In 24 Hours Or Less



A Beginners Guide To Learning Python
Programming Now
Table Of Contents

Introduction
Chapter 1: Getting Acquainted with Python
Understanding Python
Installing Python
Working with IDLE
Coding your First Program
Chapter 2: Syntax
Python Identifiers
Indentation
Comments
Docstring
Chapter 3: Variables and Data Types
Variables
Data Types in Python
Strings
Numeric Data Types
Complex Numbers
Boolean Data Type
Lists
Tuples
Dictionary
Chapter 4: Output Formatting
Chapter 5: Python Operators
Assignment Operators
Relational or Comparison Operators
Logical Operators
Identity Operators
Membership Operators
Chapter 6: Built-in Functions
Chapter 7: Flow Control
Conditional Statements
Python Loops
The While Loop
Break Statement
Continue Statement
Chapter 8: User-defined Functions
Using functions to call another function
Python Modules
Chapter 9: Classes and Object-Oriented Programming
Defining a Class
Creating an Object
Instance Variables
Inheritance
The Open Function
Writing to a File
Closing a File
File Methods
Appending to a file
Syntax Errors
Runtime Errors
Catching Exceptions
Conclusion
Bonus: Preview Of Ruby: Learn Ruby In 24 Hours Or Less A Beginners Guide To
Learning Ruby Programming Now
Piecing Together HTML and JavaScript
a. Internal JavaScript
b. External JavaScript
c. Instant JavaScript
Meet JavaScript
Storing Information
Introduction

In this book you will find the ultimate 24-hour crash course on Python Programming.
Python is a powerful object-oriented programming language with an easy-to-learn syntax.
Programs written in Python are concise and extremely easy to read and understand.
The book provides a learning material that will help beginners and self-learners explore
and harness Pythons built-in features to create meaningful, practical, and highly useful
programs. It discusses the essentials of Python programming in an easy, straightforward
style that beginners can easily grasp. It provides relevant examples, screenshots, and a
step-by-step discussion of the important concepts of Python programming.
Lets begin the journey.
Chapter 1: Getting Acquainted with Python

Understanding Python
Python is a popular, multi-paradigm, high level programming language. It was developed
by Guido van Rossum in the late 1980s and officially released in 1991. Its core syntax
was derived directly from ABC.
Python supports several programming paradigms such as object-oriented, structured,
aspect-oriented, and functional programming.
Python is a high level language that allows codes to be written in nearly regular English
statements. This makes Python programs highly readable even to beginners and those
without prior programming experience. Its readability makes it one of the easiest
languages to learn.
Python is an interpreted language. Its interpreter runs and converts codes into machine-
readable byte codes.
Codes written in Python are simpler and shorter compared to other high-level
programming languages such as Java and C++. Its built-in features, standard library, and
access to third party libraries and modules make Python programming more efficient.
Python is a powerful and flexible programming language. It can be used to develop web
applications and productivity programs, create games, and write GUIs. It is an object-
oriented language that allows users to manage, control, or manipulate objects or data
structures to create highly useful programs.
Installing Python
Python is an open-source programming language that can be freely and easily downloaded
in the website of Python Software Foundation, its present administrator.


Installing Python in Windows
Installing Python in Windows is very much straightforward. First, you must download the
installation package of your preferred version from this link:

https://www.python.org/downloads/

On this page, you will be asked to select the version you want to download. The
highlighted versions are the latest version of Python 3, Python 3.5.1 and the latest version
of Python 2, Python 2.7.11. If youre looking for a particular release, scroll further down
the page to find links for other versions.
Choosing which version to download between Python 2 and Python 3 is sometimes an
issue for some users. While Python 3 is the present and future of Python programming,
some users will still prefer to download Python 2 because of the availability of third-party
support libraries.
If youre new to Python and not using existing programs that rely on external modules and
libraries, then Python 3 might just be the version for you. Take note that bug fixes and
several features of Python 3 have been backported to Python 2.6 and 2.7 versions.
Installing Python in Other Operating Systems

If youre using a Mac, you can access the installation package on this link:

https://www.python.org/downloads/mac-osx/


Running the Installation file:
After completing the download, you can proceed to installation by clicking on the setup
button. Standard package includes IDLE, documentation, and pip. Youll get the basic
command line and the IDLE Python Shell which you can use to work in interactive or
script mode.
Working with IDLE
IDLE is an integrated development environment (IDE) created exclusively for Python. It
is bundled and installed along with the Python interpreter. IDLE offers a simple graphical
user interface with several features to help users develop their programs in Python.
IDLE offers an efficient and powerful platform for exploring and writing programs in
Python. It supports both interactive and script mode.
In the interactive mode, Python provides immediate feedback for every statement entered
as it simultaneously runs previously entered statements in active memory. The interactive
mode allows you to test bits of code before you use them in a script.
In the script mode, also called the normal mode, the Python interpreter runs scripts or
codes saved with .py file extension.
Here are some of the important features of IDLE:
Python Shell
Multiple-window text editor
syntax highlighting
smart indent
autocompletion
integrated debugger
The Python Shell

The Python Shell provides users with a more efficient interface with its drop down menu
and basic editing features. You can use the Python Shell to work interactively with Python.
Simply type a command or expression on the >>> prompt and press enter. With the
Python Shell, you can scroll back and copy-paste your previous statements in the current
command line and make changes if needed.

The Python Shell has the following options on its menu: File, Edit, Shell, Debug, Options,
Windows, and Help.
Here is a screenshot of a blank IDLE Python Shell:


To see for yourself how Python works, use the print() function to ask the interpreter to
print Python is fun!

At the >>> prompt, type the command:
print(Python is fun!)

Immediately after you press enter, Python reads, interprets, and outputs Python is fun!
onscreen:

>>> print(Python is fun!)
Python is fun!

Now, try typing Python is fun! on the >>> prompt. Python will return the string Python
is fun!:

>>> Python is fun!
Python is fun!

The Python Shell can also function as a basic calculator. Just type the mathematical
expression on the >>> prompt and press enter. For example, to get the product of 110 x
12, just type 110*12. Python returns 1320 on the succeeding line:

>>> 110*12
1320
The File Menu

The File dropdown menu provides users the option to create a new file, open a saved
file/module, save a new file, save a copy, save the file under a different filename, browse
class and path, close current file, access recent files, print a file, and exit the Python Shell.
The New File option opens a new window, a simple text editor that you can use to type,
modify, save, and run your program. Its menu is almost identical to the Python Shell. The
text editors drop down menu offers the following options: File, Edit, Format, Run,
Options, Windows, and Help. Notice that it lacks the Shell and Debug options found in
Python Shell.
The Format menu provides options for indenting, dedenting, toggling and untoggling
comments, formatting paragraphs, setting tabs and indent width, and stripping trailing
whitespace.
The Run Menu allows you to send the output to the Python Shell. It has options for
checking and running module.
The File, Edit, Options, Windows, and Help menus offer practically the same options that
can be found in the Python Shell.

Heres a screenshot of Pythons text editor:


The Edit Menu

The Edit menu provides users the options to undo, redo, copy, cut, paste, select all, search
for, or replace a word on the code/file, and to go to a particular line.

The Shell Menu
The Shell Menu restarts the shell and offers users the option to search the log for the most
recent restart.

The Debug Menu
The Debug menu opens the debugger and the stack and auto-stack viewers. It can be used
to trace the source file when Python throws an exception. The debugger leads users to an
interactive window which, in turn, will allow them to step through a running program.

The Options Menu
The Options menu opens preferences for configuring the fonts, tabs, keys, highlighting,
and other general options in IDLE.

The Windows Menu
The Windows menu provides options for adjusting zoom height and for shifting between
Python Shell and the text editor.

The Help Menu
The Help menu opens Pythons documentation and help files.
Coding your First Program
Now that youre more familiar with Pythons working environment, its time to start
creating your first program with IDLE. First, youll have to open the editor from the
Python Shell. This is where youll be typing your commands. When youre done, you can
save the file in your hard disk or in other storage device.

Accessing Pythons File Editor
To open a file editor window on the Python Shell:

Click on File.
Choose New File

Pythons file editor looks and feels like a typical text editor. It will give you access to
basic editing and formatting options.

Typing your code
You can start working on your program by typing the commands and statements on the
text editor.
For this section, you can start with the universal program: Hello, World!
Type print(Hello, World!) on the text editor.

Saving the File
Saving the file prepares it for further processing by Python. It also allows you to work on
your application on a piece meal basis. You can store the file for future use or editing once
its saved on your storage device. To save the file:

Click on File
Choose Save

This opens the Save as dialogue box. The default installation folder is Pythons installation
folder. You can easily change this to your preferred destination folder. Take note that you
cannot run your code without first saving the file. Programs saved in Python automatically
get the .py extension. For instance, you can name your program as: MyFirstProgram.
Python will then save it as MyFirstProgram.py.

Running the Application
To be considered a success in the most basic level, an application has to be run
successfully by Python. That means no error or exceptions. Running a program is like
instructing Python to interpret and execute your code.

To run your program, click the Run menu in the file editor. Youll see these options:

Python Shell
Check Module
Run Module

To run your application, click on Run Module. If there are no exceptions, the Python Shell
will display something like this:

======= RESTART: C:PythonPrograms/Python/MyFirstProgram.py =======
Hello, World!

If there are errors, Python will display the error message on the Python Shell. Even a tiny,
single-line program like the one you created could contain errors. You may have, for
example, typed Print instead of print. Since Python is case-sensitive, it will throw an
exception:





Exiting Python

To exit from IDLEs Python Shell, you can type exit() or quit() and press enter or simply
type ctrl-d.
If youve chosen to access the command line in the Power Shell instead of IDLE, you can
type either exit() or quit() and press enter.
Chapter 2: Syntax

Syntax refers to the rules that define how programs should be written and interpreted. If
you want Python to do something for you, you have to write your instructions or
command in a format that it can work with. Only then can it interpret, process, and
execute your command.
First of all, there are 33 keywords that should never be used as a variable, constant,
function name, class, object, or other identifiers in your programs. These forbidden words
form part of Pythons processes or built-in functions and their inadvertent use will lead to
programming errors. Python is a living and growing language and the list may vary in the
future.

Keywords

False class finally

True return continue

None for lambda

Try is def

from nonlocal while

and del global

not with as

elif if or

Yield assert else

import pass break

except in raise


Python Identifiers
An identifier is a name for a variable, function, class, module, and similar objects. Any
object or entity that you intend to use in your program should be appropriately identified
or named. Python has its own set of rules and naming conventions for identifiers.

Pythons Naming Conventions:
An identifier can be a combination of uppercase and lower case letters, underscores, and
digits (0-9). Thus, the following identifiers are valid: my_Variable, myClass, and var_12.
An identifier should never start but may end in a number. Hence, 4variable is unacceptable
but variable4 is valid.
You may not use special characters such as $, %, and @ within identifiers.
Python is case-sensitive. Hence, May and may are two different identifiers.
You cannot use Python keywords as identifiers.
Almost all identifiers start in lowercase except Class identifiers which, by convention,
start in an uppercase letter.
Underscores can be used to separate multiple words in your identifiers. For example,
my_Python_program is a valid identifier.
When naming an identifier, always choose one that will make sense to you months or even
years down the line after some hiatus from the program. Hence, naming or assigning a
variable as my_student_list = Bryan is much better than using a generic variable name
such as c=8 or x= student.
Using Quotation Marks

Quotation marks are used to indicate string literals in Python. You can use single (),
double (), or triple () quotes but you must observe consistency by ending the quotation
mark with the same type as the starting quotation mark.


Python Statements
Statements are expressions or instructions within a program that can be read and executed
by the Python interpreter. Python supports statements such as assignment statement, if
statement, for statement, and while statement.


Multi-line statements
Statements may sometimes spill over several lines. To tell Python implicitly that the
lengthy expression is a single statement, you can wrap it inside braces {}, brackets [], or
parentheses ().

my_alphabet = (a, b, c, d +
e, f, g, h +
i, j, k, l +
m, n, o, p)


Alternatively, you can use a backslash (\) at the end of each line to explicitly indicate
continuation:

my_alphabet = a, b, c, d \
e, f, g, h \
i, j, k, l \
m, n, o, p
Indentation
Unlike programming languages such as C, C++, and Java which signify blocks of code
with braces {}, Python programs are structured through indentation. You can easily
identify blocks of code such as loops and functions because they start on the same distance
going to the right. If you need to write a more deeply nested code, youll simply indent
another block to the right. The ending is marked by the first unindented line. This rigid
language requirement on indentation further enhances the readability of Python codes.
The amount of indentation is not fixed and you may use your preferred indent level. By
convention, Python programmers use four white spaces instead of tabs and you might like
to consider that option in your own program. Python, however, does require consistency
you need to maintain the same level of indentation within the block.
Observe the indentation in this segment of a Python program:
def room_rental_fees (days):
fees = 40 * days
if days >= 8:
fees -= 70
elif days >= 3:
fees -= 20
return fees
Comments
Comments are notes that you put into a program to describe a process, step, or other
important details. Comments are useful for providing more documentation to your work
which can be invaluable in the future when you or other programmers decide to review or
revisit the program. A comment is appropriately marked with a hash (#) symbol to instruct
the interpreter to ignore the line when you run the code.

#print out a greeting
print(Good morning!)

For long comments spanning over several lines, you can use a hash (#) symbol at the start
of each connected line to wrap them together:

#This comment is important
#and it extends
#to several lines

Alternatively, you can wrap multi-line comments with triple quotes.

This is another
option to type
multi-line comments
Docstring
A documentation string, or docstring for short, is used to document what a class or a
function does. A docstring appears as the first statement in a block of code that defines a
function, class, method, or module. By convention, docstrings are phrases that end in a
period. Triple quotes mark the beginning and ending of a docstring.

For example:
def half_value(num):
Function to get half of the value.
return .5*num
Chapter 3: Variables and Data Types

Variables
A variable is a reserved memory location that can be used to store data or values. Creating
a variable means allocating space in memory to hold values. Variables are given unique
names to identify their respective memory locations. They are used to instruct the
computer to save, access, edit, or retrieve data from a specific space in memory.
Python is quite flexible when it comes to managing variables. When you need a variable at
any point, you can just think of a name and declare it as you assign a value. Youll use the
assignment operator (=) to assign values to a variable. Python automatically identifies the
data type based on the values assigned.
These are examples of variable assignment statements:
student = Justine # A string
average_grade = 90.5 # A floating point
counter = 10 # An integer

The left operands refer to the name of the variable while the right operands are the values
stored in the variable. The use of the assignment operator (=) tells Python that a variable is
set to a certain value. Hence, counter = 10 should be read as counter is set to 10.

Multiple assignments can be made in one statement with the syntax:
x, y, z = Python, 127.5, 54

In the above assignment statement, the variable x holds the string Python, y holds the
float 127.5, and z holds the integer 54.

Python likewise allows assignment of the same value to several variables at the same time
with a statement like:

a = b = c = triplets

The above statement assigns the string triplets to the variables a, b, and c at once.

You can change the data type and value stored in a variable just as easily as you create
them.
To illustrate, you can work interactively on Python Shell and create a variable counter by
assigning an integer value of 100:

counter = 100

To increase the value of the variable, you may enter this statement on the command line:

>>>counter = counter + 10

Now, see how Python responds to your statement by invoking the print function:

>>>print(c0unter)

Python will return the following on the succeeding line:

110

Assuming you realized that you actually need to store the string weighing scale in the
variable counter, you can simply reassign the variable counter with the statement:

>>>counter = weighing scale

To see how the change affected the variable counter, use the print function:

>>>print(counter)

The output on the succeeding line will show:

weighing scale
Data Types in Python
Programming means working with and processing data. Python programs work with
objects which represent different types of data. These objects may be built-in, created by
the programmer, or imported from extension libraries.
Data type help programming languages organize different kinds of data. Python provides
built-in data types such as strings, lists, number, date, time, and Booleans.
Strings
A string is an ordered series of Unicode characters which may consist of letters, numbers,
and special characters. In Python, a string is an immutable data type. This means that once
created, you cannot change a string. To define a string, you must enclose it in matching
single or double quotes. For example:

>>>string_single = a string in single quotes.
>>>string_double = a string in double quotes.

If a single quote or apostrophe is required within the string enclosed by single quotes, you
must escape the single quote or apostrophe by typing a backslash before it. For instance:

>>> string_enclosed = I don't know the answer.

When you print the variable string_enclosed, you should get this output:

>>> print(string_enclosed)
I dont know the answer.

In like manner, you will escape a double quote with a backslash (\) when the string
happens to be enclosed in double quotes:

>>>double_deal = She said: \Youre supposed to use a backslash before a double quote
inside double quotes.\

>>> print(double_deal)
She said: Youre supposed to use a backslash before a double quote inside double
quotes.

Take note that youll do the same to a backslash (\) when you want to use it as a character
within the string.
String indexing

Python strings can be indexed or subscripted. The initial character has zero as its index.
To illustrate, you can define a variable my_string and assign the string String Power
by typing the following on the command prompt:

>>> my_string = String Power

The string will be indexed by Python this way:

0 1 2 3 4 5 6 7 8 9 10 11

S T R I N G P O W E R

-12 -11 -10 -9 -8 -7 -6 -5 -4 -3 -2 -1


To access the first character on String Power, simply type the variable name
my_string and enclose 0 inside square brackets.

>>> my_string[0]
S

To access the character on index 6, a blank space, enclose 6 inside the square brackets:

>>>my_string[6]

Python will output an empty space inside single quotes:



The last character in the string may be accessed with the len() function. Type the following
on the command prompt and see what happens:

>>>my_string[len(my_string)-1]
r

Theres an easier way to access the last character, however. You can use negative indexing
and simply type:

>>>my_string[-1]
r

The negative 1 index corresponds to the end of the indexed string. A negative index starts
from the end of the indexed data and counts backwards.
Getting the Size of a String

The size of a string refers to the number of characters that comprise it. To determine the
size of a string, you can use Pythons len() function. For example, to get the size of the
string Programmer, you can type:
>>>len(Programmer)
10
Slicing Strings

You can create substrings with the use of the range slice [ : ] operator. You can do this
interactively by typing the original string within single/double quotes and placing two
indices within square brackets immediately after the string. A colon is used to separate the
two indices from each other.
The first number refers to the index of the substrings initial character. The second
indicates the index of the first character to be omitted. You can commit this to memory
with this trick: think of the figures inside the brackets as include:exclude.

Examples:
>>> Programmer[3:8]
gramm


>>> Programmer[4:7]
ram


Another way to slice a string is by storing it first in a variable and performing the slicing
notation on the variable.


Example:
>>> my_string = Programmer
>>> my_string[3:8]
gramm

If your second index number refers to the end of the string, you can drop the second index:

>>>my_string = Programmer
>>>my_string[3:]
grammer

Likewise, if you want your substring to start from the first character of the original string,
you can just drop the first index to tell Python to start from the first index.

>>> my_string = Programmer
>>> my_string[:7]
Program
Concatenating Strings

You can combine several strings into one large string with the + operator. For example, to
concatenate the string I am a Python programming student:

>>>I + am+ a + Python + Programming + student

You should get this output:

IamaPythonProgrammingStudent

You can also concatenate strings stored in different variables:

>>> my_string1 = novelist
>>> my_string2 = writer

>>> print(Im a + my_string1[:5] + + my_string2+.)
Im a novel writer.
Repeating a String

You can repeat a string or its concatenation with the exponential operator * + a number.
This tells Python to repeat the string a given number of times.
For instance, if you want to have the string *()* repeated four times, youll have to type
the string on the command line followed by *4.

>>> ()* *4

Heres the output:

()*()*()*()*

You can also store the string in a variable and use the *operator on the variable to achieve
similar results:

new_string = *()*
>>> new_string * 4
*()**()**()**()*
The upper() and lower() functions

The upper() and lower() functions are used to print strings in uppercase or lower case.
To illustrate, assign the string Pacific Ocean to the variable ocean:

>>>ocean = Pacific Ocean

To print the whole string in capital letters, just type:

>>>print(ocean.upper())

The screen will display this output:

PACIFIC OCEAN

To print the whole string in lowercase, type:

>>>print(ocean.lower())

Youll get the output:

pacific ocean

Using the upper() and lower() functions does not change the value of the string Pacific
Ocean which is stored in the variable ocean. You can check this by entering the following
command:

>>> print (ocean)
Pacific Ocean
The str() function

You may sometimes need to print non-string characters as string characters. For example,
a program may require you to print a string along with integers or other number types.
Pythons str() function allows the non-string character to be converted to string characters.
To illustrate, you can create a variable my_number to store the number 235. The variable
can then be used as a parameter for the str() function.

>>> my_number = 235
>>> str(my_number)
235


To print the string My student number is 235, you can type the following:

>>> print(My student number is + str(my_number))
My student number is 235

Converting the integer to a string using the str() function should not change the data type
of the number stored in my_number. You can prove this with the type() function.

>>> type(my_number)

Python will return:

<class int>
Strings are Immutable

Strings are immutable you cant change any element within the string once it is created.
This means that you cant add a new character, replace a character with a new one, or
delete a character from a string.

For example, you can assign the variable string_1 to the string Python Programmer.

>>> string_1 = Python Programmer

Access the first character with the command:

>>> string_1[0]
P

Lets say you want to replace the first character P with X. You can try to reassign the
character on index 0 with the command:

>>> string_1[0] = X

You will get this exception:






You should not, however, confuse the immutability of strings with reassigning the variable
string_1 to a different string. In this case, if you really intend to replace the index zero
value of P with X, you can simply reassign the variable string_1 to Xython Programmer:

>>> string_1 = Xython Programmer
>>> print(string_1)
Xython Programmer
Numeric Data Types
Python 3 recognizes 3 numeric data types: integers, floating numbers, and complex
numbers. The long integer type recognized separately in Python 2 had been integrated into
the integer (int) data type.

Integers (int)
Integers are whole numbers with no fractional parts. They can be positive, negative, or
zero. Integers can have unlimited size in Python 3.

Python supports the following numbers and literals:

Regular integers

Examples: 23, 9750, -14, 0, 9865499290279043585292i1973


Octal literals (base 8)

An octal literal is indicated by the prefix 0o (zero and letter o in uppercase or lowercase).


Examples:
Type 0o32 on the command line and youll get its value in integer:
26

You can store the octal literal on a variable and invoke the print function later:

>>>ol = 0o32
>>>print(ol)

Youll get the same integer equivalent: 26


Hexadecimal literals (base 16)

Hexadecimal literals are identified by the prefix 0x (zero and x in capital or lowercase).

Example:
>>> hex_lit = 0XA0F
>>>print(hex_lit)
2575


Binary literals (base 2)

Binary literals are signified by the prefix 0b (zero and letter b in uppercase or lowercase).

Example:
>>> bin_lit = 0B101110110
>>> print(bin_lit)
374
How to Convert Integers to Strings

Python has the following built-in functions to convert an integer into its string
representation: oct () hex(), and bin().
To illustrate, you can convert the integer 745 to its octal, hexadecimal, and binary literal
with the following expressions:


integer to octal literal:

>>> oct(745)
0o1351


integer to hexadecimal literal:

>>> hex(745)
0x2e9


integer to binary literal:

>>> bin(745)
0b1011101001
Floating-Point Numbers

Floating-point numbers or floats are real numbers with decimals. Floats may be expressed
in scientific notation which uses the letter e to signify the 10th power.

Examples:
34.11, 3745.12, 5.7e3

>>> 3.4e3
3400.0


>>> 3.4e6
3400000.0
Complex Numbers
Complex numbers are formed by a pair of real and imaginary numbers. The format is a +
bJ where the number on the left side of the operator is a real number while those on the
right refers to the float and the imaginary number. The lowercase or uppercase j
signifies the square root of -1, an imaginary number.

Example:
>>>x = 5 + 8j
>>>y = 3 - 4j
>>>xy = x + y
>>>print(xy)
(8 + 4j)
Converting From One Numeric Type to Another

While creating a program, you may sometimes need to convert a number to another type.
You can do this explicitly by typing the target numeric data type and setting the number to
be converted as the parameter.
For instance, you can convert an integer x to a float with this expression: float(x). To
illustrate, convert 15, an integer, to a float with the command:

>>>float(15)
15.0


To convert the same integer to a complex number, type complex(15).

>>> complex(15)

Heres what youll get:

(15+0j)


To convert a float a to an integer, type int(a).

Example:
>>> int(36.0)
36
Boolean Data Type
Comparisons in Python result to one of the built-in Boolean data types: True or False.
These two values are used in conditional expressions and in any structures where y0u need
to represent truth or falsity.
To illustrate how Boolean data types work, create three variables that will store Boolean
values derived from the assigned expressions and use the print command to see the results.

bool_a = (5 == 3*3) 5 is equal to the product of 3 times 3
bool_b = (7 < 2*2**2) 7 is less than the product of 2 times 2 squared
bool_c = (11> 2*5+1) 11 is greater than the sum of 2x5 and 1
print(bool_a)
print(bool_b)
print(bool_c)

You should get these results:

False
True
False


Lists
Python has built-in sequence types that allow operations such as slicing, indexing,
multiplying, adding, removing, and membership checking. List is one of the most
common sequences and it is a most flexible type. A list can contain basically any type of
data or items. These items need not be of similar type and they can be as many as you
want.

Creating a list is as easy as assigning values to a variable. This time, you will enclose the
values within square brackets instead of parenthesis.

You can create an empty list:

item_list = []


You can build a list by assigning items to it with this expression:

item_list = [item_1, item_2, item_3, item_4]


Pythons built-in functions like len(), min(), and max() can be used to obtain information
such as length, the smallest element, and the largest element on a list as well as on other
Python sequence types.

To see how lists work in Python, lets build three different lists:

list1 = [Mathematics, English, Chemistry, 98.5, 88.75, 70.5, 1, 4, 10]
list2 = [a, e, i, o, u]
list3 = [10, 9, 8, 7, 6, 5, 4, 3, 2, 1]


List indices are like string indices, they both start at zero. Hence, if you want to access the
first item on the list, you can do so with the print function:

>>> print(list1[0])
Mathematics
>>> print(list2[0])
a
>>> print(list3[0])
10


To print the last item on each list, you can enter:

>>> print(list1[-1])
10
>>> print(list2[-1])
u
>>> print(list3[-1])
1


To check the number of items on a list, you can use the len()function with the syntax
len(list_name).

>>> len(list1)
9
>>> len(list2)
5
>>> len(list3)
10

Your list1 contains 9 items. Three of these items are subjects, 3 are floats, and 3 are
integers. If you want to see the items on the list, you can use the print command:

>>> print(list1)
[Mathematics, English, Chemistry, 98.5, 88.75, 70.5, 1, 4, 10]

Assuming you want your list to just hold strings and floats and not integers, you can
remove the integers one by one from the list with the remove method. Heres the syntax to
remove each integer from list1:

my_list.remove(value)

list1.remove(1)
list1.remove(4)
list1.remove(10)


Now, use the print command to view the updated list:

>>> print(list1)
[Mathematics, English, Chemistry, 98.5, 88.75, 70.5]

The list lacks one more subject, Biology. You can easily add Biology to list1 with the
append method:


>>> list1.append(Biology)

Now, use the print command to view the updated list1:

>>> print(list1)
[Mathematics, English, Chemistry, 98.5, 88.75, 70.5, Biology]

Biology was added to the end of the list. You now have 7 items on your list. You want to
add one more float, 85.25 to the list and you want it placed between 70.5 and Biology.
You can do this with Pythons insert command. The syntax is:

list.insert(index, object)

The index parameter refers to the location of the new item to be added and inserted while
the object refers to the new item.

Applying the syntax, youll now have to enter this command:

list1.insert(6, 85.25)


Now, view the updated list with the print command;

>>> print(list1)
[Mathematics, English, Chemistry, 98.5, 88.75, 70.5, 85.25, Biology]


The sort method allows you to sort items of similar data type within the list. The syntax is:

list.sort()

To illustrate, you can create a new list number_list containing numeric data types:

>>> number_list = [4, 9, 8, 10, 6.5, 13.2, 7, -5]
>>> print(number_list)
[4, 9, 8, 10, 6.5, 13.2, 7, -5]


To sort the number in ascending order, you can enter the command:

>>> number_list.sort()


Use the print command to view the sorted list:

>>> print(number_list)
[-5, 4, 6.5, 7, 8, 9, 10, 13.2]


The items are now listed in ascending order. To rearrange the items on the list in reverse
order, you can use Pythons reverse method with the syntax:

list.reverse()

Applying the syntax to number_list, you have to type and enter the command:

>>> number_list.reverse()


To view the updated list:

>>> print(number_list)
[13.2, 10, 9, 8, 7, 6.5, 4, -5]
Slicing Lists

You can slice lists in the same way that you slice strings.

For instance, if you want to display only the items 10, 9, 8 in the number_list with indices
of 1, 2, and 3 respectively, you can use the command:

>>>number_list[1:4] where 1 is the index of the first item and 4 is the index
of the first item to be excluded from the list

This is what the interpreter will return:

[10, 9, 8]


The slice action does not change the content of the number_list:

>>> print(number_list)
[13.2, 10, 9, 8, 7, 6.5, 4, -5]
Testing for Membership in a List

To test if an object is stored in a list, you can use the membership operators in and not
in.

First, create a list called my_list:
>>> my_list = [2, 4, 6, 8, 10, 12]
>>> 10 in my_list
True
>>> 3 in my_list
False
>>> 12 not in my_list
False
>>> 18 not in my_list
True


Tuples
Like a list, a tuple is another sequence type that holds an ordered collection of items. The
difference between a tuple and a list is mainly the fact that a tuple is immutable. Once
assigned, you wont be able to change its elements.
While the elements of a list are enclosed by square brackets, the elements of a tuple are
enclosed by parentheses. The parentheses, however, are optional. You may create a tuple
without them. A tuple can contain items of different types. It can also hold any number of
items.
Creating a Tuple

To create a tuple, you can place the items within parentheses and separate them with a
comma.

Examples:
my_tuple1 = (5, 4, 3, 2, 1) numeric
my_tuple2 = (Python, 12, 5.5) mixed-type
my_tuple3 = (a, World Peace, me) strings


You can also create a nested tuple:

my_tuple4 = (windows, (5, 10, 15), [4, 3, 8])


It is quite possible to create a tuple with only one element but youll have to place a
trailing comma to tell Python that it is a tuple and not a string:

my_tuple5 = (Python,)


You may also create an empty tuple:

my_tuple = ()


You can create a tuple without parentheses and this is called tuple packing:

my_numbers = 4, 2, 1
Accessing Tuple Elements

Python provides several ways of accessing the elements stored in a tuple.




Indexing
Accessing the items in a tuple is no different from accessing items in a list. You will use
the index operator [] to specify the index of the item you want to access. Indexing starts
from zero. Attempts to access an element outside the scope of the indexed elements will
result to an IndexError. In addition, if you try to access an index with a numeric type other
than an integer, this will raise a NameError.

To illustrate, you can create my_tuple with strings as elements:

>>> my_tuple = (a, c, e, g, i, k, m, o, q)

To access the first item on the tuple:

>>> my_tuple[0]
a

To access the fifth item:

>>> my_tuple[4]
i

To access the last item:

>>> my_tuple[-1]
q


Slicing a Tuple

To access a selected range in a tuple, you will use a colon, the slicing operator.

To illustrate, create a tuple called my_tup:

>>> my_tup = (p, r, o, g, r, a, m, m, e, r)

To access the items on indices 3 to 6 :

>>> my_tup[3:7] 3 is the index of the first letter and 7 is the index of the
(g, r, a, m) first item to be excluded from the list


To access items from the start of the tuple to the fourth element (index 3):

>>> my_tup[:4]
(p, r, o, g)

To access the fourth item up to the end of the tuple:

>>> my_tup[3:]
(g, r, a, m, m, e, r)
Changing, Reassigning, and Deleting Tuples

You cannot change elements in a tuple because tuples are immutable. However, if the
element itself is a mutable data type as in the case of a list, you may change the nested
items within the list. While you may not replace or modify other data types, you can
reassign a tuple to an entirely different set of values or elements.

>>> my_tuple = (7, 4, 5, [6,12])

To replace 6 (on index 3) with 10:

>>> my_tuple [3][0] = 10

To view the updated elements of my_tuple:
>>> print(my_tuple)
(7, 4, 5, [10, 12])


To reassign a tuple, you can just declare my_tuple and list its new elements:

>>> my_tuple = (p, y, t, h, o, n)


To delete a tuple and its entire elements, you will use the syntax:

del tuple_name


To delete my_tuple:

>>>del my_tuple


Tuple Membership Test

To test whether a tuple contains a specific element, you can use the membership operators
in and not in.

>>> my_tuple = (P, Y, T, H, O, N)

>>> Y in my_tuple
True
>>> J in my_tuple
False
>>> N not in my_tuple
False
>>> X not in my_tuple
True


Built-in functions that can be used with tuples include:

len(), min(), max(), all(), any(), sorted(), enumerate(), sum(), tuple()
Dictionary
A dictionary is a collection of key-value pairs which are separated by a colon and enclosed
within curly braces {}. Unlike strings, a dictionary is unordered. To access values, you
will use one of the keys. While a dictionary itself is mutable and may contain any data
type, the keys should be immutable and can only be a string, tuple, or number.


A basic dictionary will have this structure:

d = {key1:5, key2:x, key3:abc, key4:95.0}

An empty dictionary can be created with the format:

d = {}


A dictionary is a highly useful container for storing, manipulating, and retrieving huge
amounts of data in key-value format such as those found in directories, menus, or phone
books. You can add, modify, or delete existing entries within a dictionary.
Creating a Dictionary

To see how dictionaries work, create a dictionary named my_dict1 with three key-value
pairs:

my_dict1 = {name: Michael,salary:4950.75, tenure:7}


Now, use the len() function to see how many key-value pairs are stored in the dictionary:

>>>len(my_dict1)
3


Use the print function to see what the dictionary contains:
>>> print(my_dict1)
{salary: 4950.75, name: Michael, tenure: 7}
Accessing Elements in a Dictionary

While other container types use indexing to access values, a dictionary uses keys. To
access values in a dictionary, you can either place the key(s) either inside square brackets
or use the get() method. With the get() method, Python returns None if the searched key is
not found.

To see the value in the name key of my_dict:

>>> my_dict1[name]

Michael

To access the value of the key salary with the get() method:

>>> my_dict1.get(salary)
4950.75
Adding and Modifying Entries to a Dictionary

To add a new entry in a dictionary, you can use the format:



d[key_new] = b

For example, add the new key-value pair age:28 to my_dict1 with:

my_dict1[age] = 28


Use the print command to view the updated my_dict1 dictionary:

>>> print(my_dict1)
{age: 28, salary: 4950.75, name: Michael, tenure: 7}


You might need to modify a value contained in one of the dictionary keys. You can easily
do so by assigning a new value to the key. For example, you can change the value of the
key salary from 4950.75 to 5500.

>>> my_dict1[salary] = 5500

Use the print command again to see the updated dictionary:

>>> print(my_dict1)
{age: 28, name: Michael, tenure: 7, salary: 5500}
Removing or Deleting Elements from a Dictionary

A dictionary key:value pair may be removed with the pop() method. The method removes
the given key and the paired item and returns the value. Another method, popitem()
removes and returns an arbitrary key:value pair from the dictionary.

To illustrate, lets create a new dictionary:

>>> initials={1:ABC, 2:FMV, 3:XYZ, 4:GAQ, 5:SMP}


>>> initials.pop(3) #remove a specific value
XYZ


To see whats in your dictionary at this point, use the print function:

>>> print(initials)
{1: ABC, 2: FMV, 4: GAQ, 5: SMP}


To delete an arbitrary key:value pair, use the popitem() function:

>>> initials.popitem()
(1, ABC)

Use the print() to view the updated dictionary:

>>> print(initials)
{2: FMV, 4: GAQ, 5: SMP}


Only three key:value pairs remain in your dictionary. If you want to remove the remaining
pairs at once, use the clear() method:

>>> initials.clear()


If you print the dictionary at this point, youll see empty curly braces:

>>> print(initials)
{}


To delete the entire dictionary itself, use the del keyword:

del initials


If you try to print the dictionary after it has been deleted, youll get a NameError.

>>> print(initials)
Traceback (most recent call last):
File <pyshell#21>, line 1, in <module>
print(initials)
NameError: name initials is not defined

Dictionary Membership Test

The keyword in can be used to test if a dictionary contains a specific key. Take note that
the membership test is only for keys, not values.


>>> even = {2:43, 4:36, 6:18, 8:34, 10:27}
>>> 2 in even
True
>>> 10 in even
True
>>> 5 in even
False
>>> 2 not in even
False
>>> 4 not in even
False
>>> 5 not in even
True


Iterating Through a Dictionary

You can use the for loop to iterate through a dictionary. To illustrate:

multiples = {9:3, 25:5, 100:10, 49:7, 36:6} #create a dictionary
for i in multiples:
print(multiples[i])

3
6
10
7
5
Using Built-in Function with Dictionary

Python has several built-in functions that can be used with dictionary to perform several
tasks.

Returns True: 1) if all keys are true or 2)


all() when the dictionary is empty

Returns True if any key is true; False if the


any() dictionary is empty

len() Returns the number of items in a dictionary

cmp() Compares items of two dictionaries.

Return a new sorted list of keys in the


sorted() dictionary.



To illustrate the use of some built-in functions, create a new dictionary:

students = {Jack:834123, Jill:934712, Cindy:973412, Snowy:965432}


>>> len(students) # get the number of items in dictionary
4

>>> sorted(students) #get a sorted list of keys in the dictionary
[Cindy, Jack, Jill, Snowy]
Date and Time

Most programs require date and time data to function efficiently. Python has a built-in
function called datetime(now) that you can use to retrieve current system date and time
data.
To obtain date and time information from Python, encode the following expression on the
command prompt:

>>> from datetime import datetime
>>> datetime.now()
datetime.datetime(2016, 5, 16, 2, 35, 38, 337769)

To convert the information into a more user-friendly format, you can import strftime
from Pythons standard library by entering these commands:

>>>from time import strftime
>>>strftime(%Y-%m-%d %H:%M:%S)

Heres what you will get:

2016-05-16 02:35:02
Chapter 4: Output Formatting
Python has several built-in functions that can be used readily at the command prompt.
You have been introduced earlier to the print() function which is widely used for standard
output operations. In this chapter, you will learn formatting options that will considerably
enhance your output.


Output may be directed to the screen or a file.

The print() function sends output data to the screen, the default output device.


Here are examples of the standard usage of the print() function:

>>> print(A Python screen output is cool.)
A Python screen output is cool.

>>> X = 25
>>> print(The value of X is , X)
The value of X is 25
Output Formatting

Python allows users to create more pleasing output by providing various formatting
options. The str.format() method can be used to format string objects.
The following expressions will demonstrate how you can use the str.format() function to
produce more attractive output:
The first example makes use of curly braces as placeholders for the formatted value from
the arguments specified in the str.format function.
If the positional arguments are already arranged in the order in which you want them to
appear in your output, then you can just use empty braces.

>>> a = 35; b = 10
>>> print(The value of a is {} and b is {}..format(a,b))
The value of a is 35 and b is 10.

However, if you want the arguments to appear in a certain order that is different from their
position, you will have to specify their index within the curly braces. The first argument
takes index o, the second takes index 1, and so on.

Examples:
>>> a = 35; b = 10
>>>print(The value of b is {1} and a is {0}..format(a,b))
The value of b is 10 and a is 35.

>>> print(I collect {}, {}, and {} coins..format(gold, silver, platinum))
I collect gold, silver, and platinum coins.

>>> print(I collect {2}, {0}, and {1} coins..format(gold, silver, platinum))
I collect platinum, gold, and silver coins.


Python still allows string formatting with the sprintf() style associated with C
programming. Hence, the following formatting structure will still work in Python 3:

>>> print(Item No.: %6d, Price per piece: %7.2f% (9875, 167.9685))
Item No.: 9875, Price per piece: 167.97

The first argument was formatted to print up to 6 digits (%6d) so 2 leading spaces were
added. The second argument was formatted to print a float number with 7 digits including
the decimal point and 2 decimal numbers (%7.2f). Since the argument only used 6 spaces,
one leading space was added to the output. In addition, the four decimal points were
rounded off to two decimal places.

The print statement above makes use of the string modulo operator. To translate this into
the string format method, you will make use of the curly braces and positional arguments
once again. Heres how it would look:

>>> print(Item No.: {0:6d}, Price per piece: {1:7.2f}.format(9875, 167.9685))
Item No.: 9875, Price per piece: 167.97

You can also use keyword parameters to print the above output:

>>> print(Item No.: {x:6d}, Price per piece: {y:7.2f}.format(x=9875, y=167.9685))
Item No.: 9875, Price per piece: 167.97


The string format method also allows options such as left or right justifying data and zero-
padding. The following table summarizes these options:

Symbol Usage

left-justifies the field within


<
the available space

right-justifies the field


>
within the available space

enables zero-padding for


0 numeric data when placed
before

the width field


center-justifies the field
^
within the available space

forces the placement of sign


=
before zero-padding



Examples:
Left-justified formatting
>>> {0:<20s} {1:7.2f}.format(Ham and Cheese:, 4.99)
Ham and Cheese: 4.99

Right-justified formatting
>>> {0:>20s} {1:7.2f}.format(Ham and Cheese:, 4.99)
Ham and Cheese: 4.99


Zero-padding

>>> print(The code is {:08d}.format(534))
The code is 00000534

>>> print(The code is {:08d}.format(-534))
The code is -0000534
Chapter 5: Python Operators
Operators are special symbols which indicate the implementation of a process. They are
used to manipulate or process data used within a program. They perform mathematical or
logical computations. Python supports several types of operators:

Arithmetic Operators
Assignment Operators
Relational or Comparison Operators
Logical Operators
Identity Operators
Membership Operators
Bitwise Operators
Arithmetic Operators

Pythons arithmetic operators make it possible to create applications that require


mathematical operations.


Addition (+)
The addition operator adds the operands on the left and right side of the operator:

>>>10 + 8
18


Subtraction (-)
The subtraction operator deducts the value of the right operand from the value of the left
operand.

>>>19 7
12


Multiplication (*)
The multiplication operator multiples the numbers on the left and right side of the
operator:

>>>13 * 2
26


Division ( /)
The division operator divides the number on the left side of the operator with the number
on the right:

>>>18 / 3
6.0


Exponent (**)
The exponent operator raises the first number to the power indicated by the number on the
right side of the operator:

>>> 2**3
8


Modulos (%)
The modulos operator gives the remainder after dividing the left operand with the right
operand:

>>> 25 % 3
1


Floor Division (//)
The floor division operator returns the quotient as a whole number after dropping
fractional or decimal numbers:

>>> 19 // 4
4
Using Basic Operators to Create a Simple Tip and Tax Calculator

With just your working knowledge of variables, data types and arithmetic operators, you
can design a simple program that will compute the tip and sales tax on a restaurant meal.

basic meal cost $135.50
sales tax rate 6%
tip 20% of meal + tax


First, set up the variables meal, tax, and tip to store basic meal cost, tax rate, and tip rate
respectively:

meal = 135.50

For both tax and tip, you will assign the decimal value of the percentages given. You can
do this by using 100 as divisor.

sales_tax = 6 / 100
tip = 20 / 100

To compute for the tip, you will first have to compute the combined value of the meal and
tax. To do this, you can either create a new variable to store the total value of meal and tax
or reassign the variable meal to contain both values. Lets say youve decided to just
reassign meal:

meal = meal + meal * sales_tax

Now that you have taken care of the meal and tax part, youre now ready to compute for
the tip. You can create a new variable to store the combined values of the meal, tax, and
tip.

bill = meal * tip


Heres your code to compute for the total bill amount:

meal = 135.50
sales_tax = 6. / 100
tip = 20 / 100
meal = meal + meal * sales_tax
bill = meal + meal * tip

Save the code using a descriptive file name and run it.

To get the total bill amount, type the word bill on the Python Shell:

>>> bill
172.356

Now you have the bill amount: $172.356


Assignment Operators
Assignment operators are used to assign values to variables.


= Operator
The = operator assigns the value of the operand on the right to the operand on the left.

Examples:
a = c
string_1 = Hello, Python!
x = 2 * 4


Python allows multiple assignments in one statement like this one:

x, y, z = 10, 9.5, Good Day


If you want to assign a single value to multiple variables in one statement, you may do so
with the format:

a = b = c = average assigns the string average to variables a, b, and c
x = y = z = 36 assigns 36, an integer, to variables x, y, and z
add and +=

The add and += operator first adds the value of the left and right operands then assigns the
sum to the left operand. Its format is x+=a which has the same effect as x = x+a.


subtract and -=
The subtract and -= operator deducts the value of the right number from the value of the
left number then assigns the difference to the left number. Its format is x-=a which is
another way to express x=xa.


multiply and *=
The multiply and *= operator obtains the product of the left and right operands and assigns
the value to the left operand. Its format is x*=a which can also be expressed with x=x*a.


divide and /=
The divide and /= operator first divides the left operand with the right operand then
assigns the quotient to the left operand. It is expressed with the format x /= a which is the
equivalent expression of x = x/a.


modulos and %=
The modulos and %= operator first divides the left operand with the right operand then
assigns the remainder to the left. Its format is x %= a which is also expressed as x = x% a.


floor division and //=
The floor division and //= operator first does a floor division on the left operand with the
right operand then assigns the result to the left operand. Its format is x //= a which is the
equivalent of x = x//a.
Relational or Comparison Operators
Relational operators evaluate the expression and return the relation of the left and right
operand as either True or False.

Python supports these relational operators:

Operator Meaning

< is less than

> is greater than

<= is less than or equal to

is greater than or equal


>= to

== is equal to

!= is not equal to



Examples:
>>> 18 == 3*3*2
True

>>> 9*2<=3*2+5
False

>>> 18 != 2*3*3
False

>>> (8*3)> 24
False

>>> 12 < (5*15)
True

>>> 65 >= (12*6)
False
Logical Operators
Python supports three types of logical operators:

or
and
not

Here is how Python evaluates expressions with logical operators

x or y if x, the first argument is true, then it returns True. If x is false, then
it evaluates y, the second argument, and return the result.

x and y If x, the first argument is true, it evaluates y. If y is false, it returns
false. If x is false, then it returns the evaluation of x.

not x If x is true, it returns False. If x is false, it returns True.


Examples:
>>> (18>9) or (2<9)
True

>>> (18>9) or (2<9)
True

>>> (4>3) and (5>10)
False

>>> (4==2*2) and (5<2**3)
True

>>> not (2*4 > 2)
False

>>> not (6 > 2**4)
True
Identity Operators
Identity operators check if two objects are on the same memory location. Python has two
identity operators: is and is not.

Operators Description

Returns true if the variables on the


left and right side of the operator
refer to the same object. Otherwise, it
is returns false.

Returns False if the variables on the


left and right side of the operator
refer to the same object. Otherwise, it
is not evaluates to True.



To illustrate, type the following expression on the text editor, save, and run the code:

a1 = 7
b1 = 7
a2 = Python
b2 = Python
a3 = [3,6,9]
b3 = [3,6,9]
print(a1 is b1)
print(a2 is not b2)
print(a3 is b3)

Youll get the following output on the Python Shell:

True
False
False

The variables a1 and b1 hold integers of similar value which make them identical and
equal. Hence, the use of id operator is returned True.
Variables a2 and b2 store the same strings and data type and are likewise identical and
equal. Hence, the use of the is not operator returned False.
The variables a3 and b3 refer to a list. While they may be equal, they are not identical
because lists are mutable and are stored separately in memory.
Membership Operators
Pythons membership operators are used to test for the presence of a variable or a value in
a sequence which may be a list, tuple, string, set, or dictionary. Take note that you may
only test for the occurrence of a key in a dictionary and not its value. Python has two
membership operators: in and not in.

Operators Description

Returns True if the


variable or value is found
in in a given sequence.
Otherwise, it returns
False.

Returns True if the


variable or value is not
not in found in a given
sequence. Otherwise, it
returns False.



To illustrate, type the following on the text editor then save and run the code:

string_1 = Hello, Python
dict_1 = {color:yellow,size:large}
print(p in string_1)
print(python not in string_1)
print(size in dict_1)
print(large in dict_1)


You will get these results:

False
True
True
False

There is a P in string_1, but there is no p so the interpreter returned a False. Dont
forget that Python is a case-sensitive programming language. For the same reason, you can
find Python but you wont find python in string_1. Hence, True was returned. There is
a key named size in dict_1 so the interpreter returned True. On the following line, the
interpreter returned a false because large is a value and not a key in dict_1.
Chapter 6: Built-in Functions

Pythons numerous built-in functions make programming more efficient and powerful.

Here is a comprehensive list of Pythons built-in functions:

abs() all() ascii()

any() bin() bool()

bytes() bytearray() callable()

chr() compile() classmethod()

complex() delattr() dir()

dict() divmod() enumerate()

exec() eval() filter()

format() float() frozenset()

globals() getattr() hasattr()

hash() hex() help()

__import__() id() input()

int() issubclass() isinstance()

iter() list() len()

locals() max() map()

min() memoryview() next()

object() open() oct()

ord() print() pow()


property() repr() range()

round() reversed() set()

slice() setattr() sorted()

str() sum() staticmethod()

super() type() tuple()

vars() zip()



The range() function

The range() function is used to create lists that contain arithmetic progressions. This
versatile function is most frequently used in loops. The syntax is range(start, end, step)
where all arguments are plain integers. Omission of the start argument sets the start at the
default value of zero. Omission of the step argument sets progression to the default value
of 1.
The range expression generates an iterator which progresses a set of integers from a given
or default starting value to an ending value.
To illustrate how the function works, type range(10) on the command line:

>>> range(10)
range(0, 10)

Since both the start and progression values were omitted, the list of numbers starts at the
default value of zero and the step is set to the default value of 1.

To see the list of numbers on the given range, you will use the expression list(range(n)).

>>> list (range(10))
[0, 1, 2, 3, 4, 5, 6, 7, 8, 9]

Notice that the range displayed ended in an integer (9) which is one less than the ending
argument (10) of the range expression.

Here is a range expression with 3 arguments:

>>> range(2, 34, 2)
range(2, 34, 2)

list (range(2, 34, 2))
[2, 4, 6, 8, 10, 12, 14, 16, 18, 20, 22, 24, 26, 28, 30, 32]

Take note that the list generated ended at an integer (32) which is two (the step argument)
less than the ending argument (34).

Here are other range expressions:

>>> range(0, -14, -1)
range(0, -14, -1)
>>> list (range(0, -14, -1))
[0, -1, -2, -3, -4, -5, -6, -7, -8, -9, -10, -11, -12, -13]


>>> list(range(1,0))
[]

>>> list(range(0, 30, 5))
[0, 5, 10, 15, 20, 25]
abs()


The abs() function returns the absolute value of an integer or floating point number. The
value returned is always positive.

Examples:
>>> abs(-13)
13

>>> abs(5)
5

>>>abs(-74.5)
74.5


The abs() function returns the magnitude when complex numbers are used as argument.

>>> abs(3 + 5j)
5.830951894845301

>>> abs(2 - 2j)
2.8284271247461903
max()


The max() function returns the largest value among two or more arguments. The syntax is
max (x, y, z,) where the parameters are all numeric types.

Examples:
>>> max(-73, 8, 15)
15

>>>max(25, -100, 4, -25)
25
min()


The min() function returns the least value among two or more arguments. The syntax is
min(x, y, z) where the parameters are numeric types.

Examples:
>>> min(12, -48, 6)
-48

>>> min(2, 98, 0, 1)
0
type()


The type() function returns the data type of the argument.

Examples:
>>> type(Python is Fun)
<class str>

>>> type(54)
<class int>

>>> type(41.57)
<class float>

>>> type(3 +4j)
<class complex>
The print() Function

One of the noteworthy changes in Python 3 is the conversion of the print statement to a
function. In order for the print function to be recognized by the interpreter, you have to
enclose the print parameters within parentheses.

Examples:
>>> print(This is the print function.)
This is the print function.

>>> print(10)
10

>>> print(2**3)
8

Python can print several values within the parentheses. These values must be separated by
a comma.

To illustrate this feature, here is a series of thee variable assignment statements:

a = student
b = age
c = 16

>>>print(requirements : , a, b, c)

Heres the output:

requirements : student age 16
The input() Function

Most programs need users input to function. Input can be obtained from sources such as
mouse clicks, keyboard, data base, external computers storage, or the internet. The
keyboard is the most common way to collect input. Hence, Python provided a built-in
input() function based on keyboard entry.
The input() function comes with an optional parameter, a prompt string. Once the function
is called, Python displays the prompt string onscreen. The program waits for the users
input and returns it as a string.
To illustrate the input function, here is a sample program that collects keyboard input for
name and age:

name = input(Please type your name: )
print(Good day!)
age = input(How old are you, + name + ? )
print(You are + name + and youre + age + years old.)

Take a close look at the prompt string on the first line. Did you notice the space after the
colon? This will tell Python that there should be a space between the string and the users
input. On the third line, appropriate spaces were provided after the string How old are
you, and after the question mark.
Similarly, on the fourth line, there is a space before the closing quotation mark on the
string You are and a space before the initial letter of the string and youre. While this
is not a rigid requirement in Python, your programs will certainly look better and user-
friendly with strategically-placed white spaces.
To see the program in action, run the module and respond to prompts with Maxene (name)
and 24 (age):


Please type your name:

The program is waiting for users response at this point. Now, type Maxene:

Good day!
How old are you, Maxene?

The program is waiting for the user to respond. Type 24.

You are Maxene and youre 24 years old.

Heres what the Python Shell displayed:

Please type your name: Maxene
Good day!
How old are you, Maxene? 24
You are Maxene and youre 24 years old.


Heres a simple program that puts together your knowledge of input(), lists, strings, len()
and print() functions:

members = [Jeffrey, Jules, Carl, Bryan, James, Rudolph]

name = input(Please enter your name: )
print(Thanks for joining the Juniors Club, + name + !)
members.append(name)
total = len(members)
totalstr = str(total)
print(There are now + totalstr + members: )
print(members)


At the prompt for name, enter Patrick.

Heres what the Python Shell displays:

Please enter your name: Patrick
Thanks for joining the Juniors Club, Patrick!
There are now 7 members:
[Jeffrey, Jules, Carl, Bryan, James, Rudolph, Patrick]
Chapter 7: Flow Control


Conditional Statements
Decision making structures are common among programming languages and are
necessary in situations when we want to perform an action or calculation only if a specific
condition is met. Decision making constructs start with a Boolean expression. The
response determines how the program branches. Python provides the following
conditional statements:

if statements
if else statements
elif statements
else
nested ifelifelse statements


if statements

If statements start with a Boolean expression followed by statement(s) that specify the
actions to be performed if the test expression is True. This is the syntax for the if
statement:

if expression:
statement(s)

The program evaluates the if expression and execute statement(s) only if the expression is
True. If False, the program will not execute the statement(s). Take note of the indentation
of the if statements body. The first unindented line after the body marks the end of an if
statement.

To illustrate how if statements work, here is a sample program that collects keyboard input
from the user and uses the response as the basis for succeeding actions:

#this program collects age information and uses the input as the basis for membership
eligibility

age = float(input(Enter your age: ))
if age >= 18:
print(Welcome to the Club!)
print(We only accept members from age 18 and above.)


Heres the output when you enter 20 as your age:

Enter your age: 20
Welcome to the Club!
We only accept members from age 18 and above.


Heres what you will see when you type 14:

Enter your age: 14
We only accept members from age 18 and above.


ifelse statements

An ifelse statement evaluates the expression and executes the statements in the if body
when the test condition is True. If it is False, the statements in the else body is executed.

Heres the syntax:

if test expression:
statement(s)
else:
statement(s)


#this program checks if a paint color is available

color = [red, blue, pink, green, yellow]

order = input(Please enter your color requirement: )
if order in color:
print(Great, we have it on stock!)
else:
print(Sorry, + order + paint is out of stock.)


Run the module and type the color pink:

Please enter your color requirement: pink
Great, we have it on stock!

Run the module again and this time, type a color which is not in the color list, purple:

Please enter your color requirement: purple
Sorry, purple paint is out of stock.
ifelifif statements

The elif statement provides the structure for checking multiple expressions. Short for else
if, the program checks the condition under the elif block if the condition for the if block is
False. If the elif block is false, then the else block is executed. An if block can have
several elif block but there can only be one else block.
Heres the syntax for an ifelifelse statement:

if test expression:
if block
elif test expression:
elif block
else:
else block


#this program checks if a paint color is on stock and prints appropriate remark
#if not on stock, program will check if its in process and prints appropriate remark
#if the paint color is neither on stock or in process, program prints corresponding
comment

on_stock = [red, blue, green, yellow]
in_process = [purple, brown, orange]

order = input(Please enter your color requirement: )
if order in on_stock:
print(Great, we have it on stock!)
elif order in in_process:
print (Our + order + paint will be available in one hour.)
else:
print(Sorry, + order + paint is out of stock.)

Please enter your color requirement: blue
Great, we have it on stock!

Please enter your color requirement: orange
Our orange paint will be available in one hour.

Please enter your color requirement: pink
Sorry, pink paint is out of stock.
nested ifelifelse statements

Nesting is the programming practice of placing a conditional statement inside another


conditional statement. This is commonly used when a programmer has to check for
another condition after the first condition has been tested as True. Nesting can go up to
several levels.
The syntax for a nested ifelifelse statement can be:

if test_expression1:
if test_expression1-1:
statement(s)_block1-1
elif test_expression1-2:
statement(s)_block1-2
else
statement(s)_block1-3
elif test_expression2:
statement(s)_block2
else:
statement(s)_block3


Example:
#program requests for number
#prints room assignment or appropriate remark based on number entered

num = float(input(Enter a number from 1 to 10: ))
if num >= 6:
if num >= 10:
print(Number is out of range)
else:
print(Please proceed to Room 1.)
elif num > 2:
print(Please proceed to Conference Room.)
else:
print (Please register at the lobby.)


Run the program and youll get the following output based on users response:

Enter a number from 1 to 10: 6
Please proceed to Room 1.

Enter a number from 1 to 10: 2
Please register at the lobby.

Enter a number from 1 to 10: 10.6
Number is out of range

Enter a number from 1 to 10: -6
Please register at the lobby.
Python Loops
A loop is a program control structure that supports complicated execution paths and allows
repetitive processing of a statement or a series of statements.


The For Loop
The For Loop is used to iterate over items of sequential data types such as a string, list, or
tuple.

Syntax of a For Loop:

for val in sequence:
statement(s)


In the statement, the variable val holds the value of the item in the sequence on every
iteration. The loop continues until all items inside the sequence are exhausted.

Examples:
For Loop over a string:

for letter in Programmer: #iterating over a string
print(<*, letter, *>)


Save and run the module. Heres what the Python Shell will display:

<* P *>
<* r *>
<* o *>
<* g *>
<* r *>
<* a *>
<* m *>
<* m *>
<* e *>
<* r *>


for Loop over a list:

animals = [tiger, lion, zebra, elephant, monkey] #iterating over a list
for name in animals:
print(animal :, name)

print(Good day!)

animal : tiger
animal : lion
animal : zebra
animal : elephant
animal : monkey
Good day!


#for Loop that determines whether a number is an even or odd number
#prints even or odd numbr


numbers = [2, 4, 6, 7, 9, 10, 11, 12]

for num in numbers:
if num % 2 == 0:
print(Even Number)
else:
print(Odd Number)

Even Number
Even Number
Even Number
Odd Number
Odd Number
Even Number
Odd Number
Even Number


Using the range() function with the for loop

The range() function can be used with the for Loop to provide the numbers required by the
loop. For instance, if you need the sum of 1 and all numbers from 1 until 20:

x = 20

total = 0
for number in range(1, x+1):
total = total + number

print(Sum of 1 until %d: %d % (x, total))


Sum of 1 until 20: 210
The While Loop
The while loop is used whenever there is a need to repeatedly execute a target statement
or group of statements while the test condition is true. When the condition ceases to be
true, program control passes to the next line after the loop.


This is the syntax for a while loop:

while condition
statement(s)

Example:
#program adds number up to num where
#num is entered by the user
#total = 1+2+3+4+num


num = int(input(Enter a number: ))

#initialize total and counter
total = 0
n = 1

while n <= num:
total = total + n
n = n+1 #update counter

#print the total
print(The total is: , total)


Enter a number: 4
The total is: 10 #1+2+3+4

Enter a number: 8
The total is: 36 #1+2+3+4+5+6+7+8
Break Statement
A break statement ends the current loop (the loop containing the break statement) and
directs the program to execute the first statement after the loop. In nested loops, it ends the
innermost loops and proceeds to the execution of the line after the terminated block. A
break statement also prevents the program from executing the else statement. Both break
and continue statements are used to end current iteration or the entire loop without
checking test condition.

A break is most commonly used when some external conditions require a quick exit from
the loop.


Syntax of the break statement:

break


#loop terminates once it reaches the shape triangle in the list

shapes = [square, rectangle, circle, triangle, oval]

for x in shapes:
if x == triangle:
break
print(Great shape :, x)
print(Nice loop!)

Run the module to see the following:

Great shape : square
Great shape : rectangle
Great shape : circle
Nice loop!
Continue Statement
The continue statement skips the remaining statement(s) in the current iteration and directs
program flow to the next iteration.

Syntax:

continue


For example, the break statement in the previous example may be replaced with the
continue statement:

shapes = [square, rectangle, circle, triangle, oval]

for x in shapes:
if x == triangle:
continue
print(Great shape :, x)
print(A better loop!)


Output:

Great shape : square
Great shape : rectangle
Great shape : circle
Great shape : oval
A better loop!
Pass Statement


In Python, pass is a null operation. The interpreter executes the pass statement but nothing
happens. The pass statement is most commonly used as a placeholder whenever a line is
required by Pythons syntax. It is used in places where codes will eventually be written
and allows programmers to test run completed program segments without the expected
error messages on unfinished segments.


Syntax:
pass


Examples:
#pass in an empty code block
for num in my_list:
pass


#pass in an empty function block
def my_function(x):
pass

#pass as placeholder in an empty class block
class animals:
pass
Chapter 8: User-defined Functions

A function is a block of related and organized statements that can be used to perform a
specific task. It is a structuring element that allows a code to be used repeatedly in various
segments of a program. The use of functions enhances program clarity and
comprehensibility. Functions make programming more efficient by minimizing code
repetition and breaking down long and complex programs into manageable parts.
Functions are variably called methods, procedures, subprograms, routines, or subroutines.
There are two types of functions in Python: built-in and user-defined.

A function is defined using the syntax:

def function_name(parameters):
docstring
function body

A functions definition consists of the following parts:

keyword

The keyword def introduces the function and marks the beginning of the function header.

function name

A name is given to the function as its unique identification. The rules on writing identifiers
apply to function naming.

parameters

Parameters (arguments) are used to pass values to functions and are optional.

colon (:)

A colon is used to mark the end of function headers.

docstring

A documentation string or docstring is an optional component that can be used to describe
the function.

statement(s)

A functions body consists of at least one valid statement. Multiple statements within the
function should form a block by using the same indentation.

return statement
A return statement returns a value from the function. It returns none when not followed by
an argument.


Here is a simple function:

def student_id(name):
This function greets the person named as parameter.
print (Hi, + name + , Good day!)

print(student_id(Joshua))
print(student_id(Miches))
print(student_id(Johannes))

Hi, Joshua, Good day!
None
Hi, Miches, Good day!
None
Hi, Johannes, Good day!
None


#function with a parameter and return
#Function that returns an even number

def even_numbers(number):
if number % 2 == 0:
return number
else:
print(Thats not an even number.)

print(even_numbers(22))
22

print(even_numbers(13))
Thats not an even number.
None

print(even_numbers(14))
14
A function with an if-elif-else statement:


def member_check(yn):
if yn.lower() == y:
return(Thanks for your patronage.)
elif yn.lower() == (n):
return(Please fill out membership forms.)
else:
return(Please check your response.)

print(member_check(y))
print(member_check(n))
print(member_check(x))

Output:

Thanks for your patronage.
Please fill out membership forms.
Please check your response.


Once a function is defined, you can call it in different ways: through the Python prompt or
from another function or program.

You can call a function by simply typing the function name and appropriate parameters.

def printstring(str): #prints a passed string to this function
print(str)
return;

# calls the printstring function
printstring(Im supposed to work but the printstring function called me!)
printstring(Its not that bad to play second fiddle.)

Output:

Im supposed to work but the printstring function called me!
Its not that bad to play second fiddle.
Using functions to call another function
In Python, functions can call another function.

For example:
#school_sum calls the class_sum function

def class_sum(num):
return num * 3

def school_sum(m):
return class_sum(m) + 2

print(school_sum(4))
print(school_sum(9))
print(school_sum(20))

Output:
14 #4 * 3 + 2
29 #9 * 3 + 2
62 #20 * 3 + 2
Scope and Lifetime of a Variable


A variables scope is the part of a program where it is recognized. When you define
variables and parameters inside a function, their scope is limited within that function.

A variables lifetime refers to the period throughout which it exists in memory. The
lifetime of a variable within a function coincides with the functions execution. Such
variable is destroyed once the return is reached. A function does not have a recollection of
a variables previous values.
Python Modules
A Python module is a file that contains statements and definitions. Modules are useful for
breaking down large programs into manageable files. The use of modules promotes code
reusability. You can put together the most frequently used functions in one module and
import the same in your programs.

To illustrate, create a module and name it multiplier.py.

def multiply(x, y):
This program multiplies given values and returns the result

product = x * y
return result

There are different ways to import a module. One is through the dot operator. For
example, to import the multiplier.py module:

>>> import multiplier
>>> multiplier.multiply(12, 4)
48


Another way to import a module is by renaming it:

>>>import multiplier as m

>>>print(The product of 2 and 14 is , m.multiply(2, 14))
The product of 2 and 14 is 28


To import Pythons math module:

>>> import math

By importing the math module, you will have access to its entire definition.

For example:
>>> math.pi
3.141592653589793

>>>math.gcd(25, 15)
5

>>> math.fabs(-14)
14.0
Chapter 9: Classes and Object-Oriented Programming

Python is an object-oriented programming language. This means that it emphasizes
working with data structures called objects.

Objects refer to anything that could be named in Python such as functions, integers,
strings, floats, classes, and methods. It is the collection of data and the methods that make
use of the data. Objects can be used in different ways. They can be passed as arguments.
They can be assigned to variables, dictionaries, lists, or tuples.

A class is a way of organizing, managing, and creating objects with similar attributes and
methods. Creating an object is called instantiation and you can instantiate as many objects
as you need from a class.
Defining a Class
A class is defined with the keyword class followed by the class name and a colon. The
class name starts in uppercase by convention. A docstring is usually the first string and it
contains a short description of the class being created.

Examples:
simple class definition:

class Employees:
#I have just created a new class
pass


class definition with an object:

class Employees(object)

The documentation string of a class can be accessed with:

ClassName.__doc__.


Defining a class immediately creates a new class object with the same name. The class
object can then be used to access the different attributes of the class and to instantiate new
objects of the class.

class NewClass:
This is a new class.
x = 12
def func(self):
print(Hello, World!)

To access the attributes of the class:

>>> NewClass.x
12

>>> NewClass.func
<function NewClass.func at 0x033C5D20>

>>> NewClass.__doc__
This is a new class.
Creating an Object
The class object can be used to create new object instances of the class. Creating an object
is like performing a function call. The following statement creates an instance object
named obj:

>>>obj = NewClass()



The __init__() method
The __init__() method is an initialization method or class constructor which is used to
initialize the object it creates. Python calls on this special method whenever a new
instance of the class is created. It takes at least one argument, self, to identify the object
being created. The use of the word self is a Python convention but may actually be any
word.

Examples:
class Performers:
def __init__(self) :


class Performers(object):
def __init__(self, name, salary) :
Take note that a function used in a class is called a method. Hence, the __init__() function
is referred to as a method when it is used to initialize objects within classes.
Instance Variables
Instance variables are used to link each instantiated objects created within the class.
Instance variables are required when you use other arguments besides self in the
initialization method.

For example:
class Students:
common base for all students
studCount = 0
def __init__(self, name, average, rank) :
self.name = name
self.average = average
self.rank= rank

Whenever an instance of the Students class is created, each member will have copies of
the variables initialized with the __init__method.

For instance, you can instantiate members of the class Students with the following
statements:

student_1 = Students(Donald, 95.5, First)
student_2 = Students(Ralph, 93.0, Second)
student_3 = Students(Arthur, 90, Third)


Use the print function to see the connection between the initialized variable and member
variables:

print(student_1.name, student_1.average, student_1.rank)
print(student_2.name, student_2.average, student_2.rank)
print(student_3.name, student_3.average, student_3.rank)


Heres the output:

Donald 95.5 First
Ralph 93.0 Second
Arthur 90 Third
Inheritance
Inheritance is a programming feature that allows a new class to inherit the attributes of an
existing class. The new class is the child or derived class and the class it inherits from is
the parent or base class. Inheritance promotes code reusability and efficiency.

This is the syntax for defining classes that inherit all functions and variables from a parent
class:

class ChildClass(ParentClass):

To illustrate, you can create a new class, Honorary, which will inherit from the class
Members and add a new variable, mem_type:

class Members(object):
common base for all members
def __init__(self, name, status, level):
self.name = name
self.status = status
self.level = level

memb_1 = Members(Jane Dale, Active, Senior)
memb_2 = Members(Jennifer Hart, Active, Junior)
memb_3 = Members(Wayne Johnston, Inactive, Junior)

print(memb_1.name, memb_1.status, memb_1.level)
print(memb_2.name, memb_2.status, memb_2.level)
print(memb_3.name, memb_3.status, memb_3.level)


class Honorary(Members):
common base for Honorary members
def __init__ (self, name, status, level, mem_type):
self.name = name
self.status = status
self.level = level
self.mem_type = mem_type

memb_10 = Honorary(Randolph Bryne, Active, Graduate, special)
memb_11 = Honorary(Dane March, Active, Undergraduate, regular)

print(memb_1o.name, memb_10.status, memb_10.level, memb_10.mem_type)
print(memb_11.name, memb_10.status, memb_10.level, memb_10.mem_type)


You should see this output on the Python Shell:

Jane Dale Active Senior
Jennifer Hart Active Junior
Wayne Johnston Inactive Junior
Randolph Bryne Active Graduate special
Dane March Active Undergraduate regular
Brent Childs Active Graduate regular
Chapter 10: File Management in Python

File is a named disk location that stores related data. When you want to reuse or modify
data in the future, you have to store them in a non-volatile memory through a file. There
are three main file operations in Python:

opening a file
reading from or writing to a file
closing a file

In Python, file manipulation is implemented with the use of a file object. Python provides
the basic methods and functions required to manipulate files.
The Open Function
The open() function allows users to open a file for reading or writing. It creates a file
object, also known as a handle, that you can use to call other methods associated with the
function. The syntax is:

file object=open(filename [, access_mode][, buffering])

The filename is the string that contains the file name of the file you wish to access.

The access mode is an optional parameter that indicates the mode in which you want the
file to be accessed. Read, write, and append are just some of the options for opening a file.
You will also specify whether you want the file to be opened in text or binary mode. Text
mode allows you to deal with strings while the binary mode returns bytes and facilitates
access to non-text files like exe files or images. The default modes are text mode and read
mode.

Buffering allows users to provide the type of buffering needed. No buffering takes place
when the value is set to zero. At one, line buffering is done as you access files. When the
value is greater than one, the buffering process is done using the given buffer size. The
system default is implemented if a negative value is entered.

Here are the different modes available when accessing a file:

r >opens file for reading (default)
r+ >opens file for reading and writing
w >opens file for writing (creates new file or overwrites existing file)
w+ >opens file for writing and reading (creates new file or overwrites existing file)
x >opens file for exclusive creation
a >opens file for appending(creates new file or overwrite an existing one)
a+ >opens file for appending and reading (overwrites existing file or creates a new one)


Modes to open a file for reading, writing, and appending in binary format:

rb+ >opens file for reading and writing
wb+ >opens a file for writing and reading
ab+ >opens a file for appending and reading

Examples:
f = open(trial.txt) #default mode
f = open(trial.txt,w) #open in write mode
f = open(img.bmp,rb+) #read and write file in binary format
Writing to a File
To write into a file, you need to open the file in write mode, append mode, or in exclusive
creation mode. You have to be careful about the different options as choosing the wrong
one will cause your file and data to be overwritten or erased. The write() method is used to
write a sequence of bytes which you will need when accessing and modifying binary files.

Closing a File
When youre done with file operations, its important to close your files properly in order
to free the resources used by the file and to avoid accidental editing. Although Python
cleans up unreferenced objects, this should not replace the close file method. Remember
that Python wont write data to your file unless you tell it that youre done writing or
editing. Properly closing the file is a way of telling Python that youre done.

Here is the syntax for opening and closing a file:

file= open(f = open(test.txt,encoding = utf-8)# perform file operations
file.file()
File Methods

Following is the complete list of methods that you can use with the file object:

closes an open
close()
file

separates
binary buffer
detach() from
TextIOBase;
returns it

returns an
fileno() integer file
descriptor

flushes the
flush()
internal buffer

returns True if
file is
isatty()
interactive or
False if not

returns next
next()
line of the file

writes a string
write(str)
to file

writes a
writelines(sequence) sequence of
strings

writes a list of
writelines(lines)
lines

resizes the file


truncate([size])
to size bytes

returns current
tell() file position

sets files
seek(offset[,
current
whence])
location

reads n number
read(n)
of characters

returns True if
readable()
file is readable

returns True if
writable()
file is writable

writes a string
and returns a
write(s) count of
characters
written


To illustrate Pythons file management system, create a new file with this statement:

f = open(trial.txt, w) #opens file with the name trial.txt
f.close()

Take note that if the trial.txt file contains any data, it will be overwritten because the file
was opened in the w (write) mode. That means youre going to start fresh with an empty
file. The file was closed properly.


To start building your file, you can enter the following expressions:

f = open(trial.txt,w) #opens file with name of trial.txt

f.write(I am a trial file.)

f.write(I exist to teach you how to write to a file.)

f.write(I wish you can use me in your programs.)

f.write(That way I can hang out with the module and method guys.)
f.close()


Heres how Python responded to each expression:

>>> f = open(trial.txt, w)
>>> f.close()
>>> f = open(trial.txt,w)
>>> f.write(I am a trial file.)
18
>>> f.write(I exist to teach you how to write to a file.)
44
>>> f.write(I wish you can use me in your programs.)
39
>>> f.write(That way I can hang out with the module and method guys.)
56
>>> f.close()
>>>


You might have noticed that the write method did not use any line breaks and simply kept
writing. The solution is to include a new line character \n at the end of a string:

>>> f.write(I wish you can use me in your programs.\n)
Appending to a file
To append data to trial.txt, you just have to reopen the file on an a mode:

f = open(trial.txt,a) #opens the trial.txt file
f.write(I just have no idea how.)
f.close()


Python Exceptions

Errors are common occurrences when writing a program.
Syntax Errors
Errors which arise due to non-compliance with the syntax or structure of a language are
called syntax or parsing error.

The following are common syntax errors:

incorrect indentation
misspelled keywords
placement of keywords in wrong places
omission of a keyword or symbol
an empty block


Examples:
if num < 50 #a colon is required in if statements
print (You failed the test!)

for x in num[1, 5, 20, 30, 35, 50] #print statement should have been indented as
if x == 30: #a statement inside the if block
print(Enter a password!)
Runtime Errors
Errors that appear at runtime are called exceptions. Unsolved runtime errors may cause a
program to terminate unexpectedly or crash. Exceptions include such errors as
ImportError (missing import module), IndexError (when an index is out of range), or
KeyError (key not found). Python creates an exception object whenever an exception is
encountered and displays a traceback to the error if its not managed properly.


Here are examples of exceptions:

performing operations on incompatible data types
using an undefined identifier
division by zero
attempting to access a non-existent file
accessing a non-existent element on a list, dictionary, or tuple



Built-in Exceptions

Python has several built-in exceptions which are raised whenever errors occur:

Exception Raised when:
KeyError >a dictionary key is not found
IndexError >index is out of range
EOFerror >Input() function reaches end of file condition
ZeroDivisionError >the divisor is zero
IndentationError >indentation is incorrect
ImportError >imported module is not foundd
AssertionError >assert statement fails
AttributeError >reference or attribute assignment fails
UnicodeError >Unicode-related encoding/decoding error occurs
NameError >variable is not found in local/global scope
FloatingPointError >floating point operator fails
Catching Exceptions

try and except

Exception in Python can be managed with a try and except statements. Critical program
segments which can potentially raise exceptions are placed within the try clause while the
exception code is written in except clause(s).

For example:
try:
num = int(input(Please enter a number between 1 and 20: ))
print(Your preferred number is %d. % num)
except ValueError:
print(Thats not a number!)


Python will attempt to execute all statements within the try block. If a ValueError is
detected in the execution, control flow will immediately pass to the except block leaving
out any unprocessed statements in the try block.

In the above situation, the ValueError exception was specified because of the likelihood of
receiving a non-numeric response.


tryfinally

Try statements can include a finally clause. The finally clause is always executed
regardless of the results of and actions done about the program error. It is commonly used
to clean up and release external resources.

try:
num = int(input(Please enter a number between 1 and 20: ))
print(Your preferred number is %d. % num)
except ValueError:
print(Thats not a number!)
else:
print((So thats your preferred number.)
finally:
print((Great! Ill keep that in mind. Goodbye!)
Conclusion

I hope this book was able to help you to learn the basics of Python Programming in 24
hours or less and inspire you to create meaningful and useful Python programs.
The next step is to take up advance courses in Python programming that will teach you to
fully harness the many powerful features of Python.
I wish you the best of luck!
Robert Dwight
Bonus: Preview Of Ruby: Learn Ruby In 24 Hours Or Less
A Beginners Guide To Learning Ruby Programming
Now

Introduction to JavaScript

Now that weve covered the essentials of HTML, we can now introduce the basics of
programming, with JavaScript as the medium. Make sure that you at least understand the
backbone of HTML before proceeding, otherwise, feel free to go back to Chapter 1 and
skim through the material once more.

Piecing Together HTML and JavaScript
JavaScript conveniently fits into HTML quite readily using the script tag. The script tag
can either contain a JavaScript code or a reference to a .js file that contains the JavaScript
code. The latter is advised when creating long JavaScript code to avoid mixing up
different programming languages in one file - thatd be like writing an essay with some
paragraphs in English and some paragraphs in Latin! Internal JavaScript is, however, good
to use when youre testing out small fragments of JavaScript code.

a. Internal JavaScript
If you want to use JavaScript without having to create a .js file, you can simply put the
JavaScript inside the script tag as shown below:

<script>
alert(Hi There!);
</script>


Put this inside your HTML file as show below and check out your first JavaScript code
popping-up to greet you!

<!DOCTYPE html>
<html>
<body>
<script>
alert(Hi There!);
</script>
</body>
</html>


Pretty cool, huh? While this chunk of code is simple enough to understand, when you
begin writing websites with more complex codes, keeping different
programming/scripting languages in one file becomes rather unwieldy. It makes sense to
place the JavaScript code in a separate file so that the HTML code stays neat and easier to
maintain. This is where external JavaScript comes in.

b. External JavaScript
Just as you can reference a CSS file from an HTML file to keep the codes separate, you
can also keep JavaScript in a separate file and simply reference that file from HTML. In
order to use JavaScript code saved in another file, youll simply have to use a script tag
that contains an src attribute that references the file youd like to use, as shown below:

<script src=hello.js></script>


This code snippet will find a file called hello.js and execute whatever JavaScript code is
inside it. Make sure, however, that the JavaScript file is located in the same folder where
the HTML file is kept.
c. Instant JavaScript
If youd like to test short JavaScript statements without having to modify the original
source code, you can use the consoles provided by Google Chrome and Firefox by right
clicking the webpage and clicking on inspect element. In the console window/tab, you
can type any JavaScript statement you want, and pressing enter executes it immediately.
You can either choose this method to test the code snippets in this book, or if youd like a
more traditional approach, you can use the script tags for your JavaScript code and refresh
your webpage to update the output. However, in the examples and exercises thatll be
provided, the modern approach of using the console shall be used.

Meet JavaScript
In order to give you a running start in JavaScript, youre going to try out a few lines of
JavaScript code. For now, were going to use the console to try out the commands (right-
click any webpage, click inspect, and find the console tab). As you test the succeeding
codes, make sure you dont just passively copy and paste them into the console. Observe
the structure of the language and make a couple of guesses as to what the outputs would
be before you check. Thisll make it much easier for you to retain what youre learning.
Type your name and lock it in with two quotation marks, for example:

Chris


Youve just created a string, which is basically just a collection of letters, numbers, and
other symbols. We can do plenty of things even with a single string, but for now, lets
make JavaScript count how many letters your name has:

Chris.length


You should get 5. That being said, apart from dealing with strings, JavaScript also knows
how to do math. Try adding the lengths of your first and last name, for example:

Chris.length + Nicholas.length


This would give you 13. Now go ahead and play around with this by using actual numbers
and trying out multiplication (*), division (/), and subtraction(-).
Notice that while the commands youve put in so far are quite intuitive and easy to
understand, programming languages require a lot more precision compared to human
language. For instance, if you try to read the following Tihs is a Coemplx Stenence,
youd be able to decipher the meaning, but in programming languages, if you so much as
misplace a period, at best youd receive an error - at worst a bug. For instance, try
inputting the following code:

Chrisl.ength


This would confuse the interpreter, even if youve simply misplaced the period.
Other than misspellings and misplaced symbols, another way to confuse the interpreter is
to use commands it doesnt know about, for instance, if you type:
bacon


The interpreter would complain and say that bacon is not defined. Because youve typed
bacon without the quotation marks, the interpreter thinks youre trying to make it
perform the bacon command, which doesnt exist in the JavaScript library as of now.
What if you simply want to type a bunch of hints and descriptions inside your code? You
can tell the interpreter to ignore lines of code simply by typing // before the beginning of
the line. For example:

//This is a comment. The interpreter wont care about what I put here, even
//Valid commands like
//2+3
//But by removing the //,
2+3
//You should get 5.


Now, you might be wondering why were going through strings, mathematical operations,
and comments with JavaScript when youve just wanted to make websites come to life,
but before you can produce stunning animations, intelligent user-interaction, and other
dynamic stuff, we have to lay the groundwork first. Now, lets have a little fun by creating
your first pop-up dialogue box:

confirm(Hi! Youve just made your first pop-up dialogue. Congratulations! Click OK to
go further!);


You after clicking OK, you should see a true printed in the console. This is because
JavaScript can also record user input, much like HTML. Whats interesting with
JavaScript, however, is that it doesnt need to refresh the page to ask for user input; it
simply pops-up a small, separate window to ask you a question, and returns to the web
page you were working on. This is especially useful when asking users for confirmation
after theyve filled up a form or decided to delete something - since no webpage refresh is
required, the users can go back to whatever theyre doing after clicking OK or CANCEL.
Okay, so far, youve managed to write your first string, ask JavaScript to compute its
length, perform mathematical operations, write comments, and create pop-up confirmation
dialogues. In order to make a website do really cool things, however, it needs to be able to
get more than just a true or a false from a user, otherwise strings and mathematical
computations would really be useless.
With this in mind, lets try making JavaScript ask for your name:
prompt(Hello! Whats your name?);


After inputting your name, you should see whatever youve typed in the console output.
Way to go!
Storing Information
Every programming language needs to be able to store information; otherwise theres no
way for it to make calculations and other important procedures, which is what computers
were built for in the first place.
So far weve only been able to ask for the users name, without even doing anything with
it. This is because your name wasnt stored; it was just printed in the console. Lets use the
power of variables so it can greet you after it asks for your name. Heres how:

var name = prompt(Whats your name?);


alert(Hi, + name + ! Its nice to meet you.);


Now your program becomes more personal and more human, simply by responding to the
user. Dont worry too much about the syntax if it overwhelms you; youll learn more
about what the alert() and prompt() functions do, and how you can make your own
functions as we dive deeper into JavaScript.

Conclusion
Congratulations! Youve just gotten your first taste of JavaScript! Itll get even more
interesting in the next chapter as we talk about what types of information you can use and
what we can do with them. Youll also get your first glimpse into how you can help your
program make decisions, as well as what to do if the your program doesnt behave the way
you expect it to. Itll be quite a handful of information to take in one sitting, so take a
break and come back when youre ready to dive further into the essentials of JavaScript.

Click here or the image below to check out the rest of JavaScript: Learn JavaScript In 24
Hours Or Less A Beginners Guide To Learning JavaScript Programming Now on
Amazon.
Copyright 2016 by Robert Dwight - All rights reserved.


This document is geared towards providing exact and reliable information in regards to the
topic and issue covered. The publication is sold with the idea that the publisher is not
required to render accounting, officially permitted, or otherwise, qualified services. If
advice is necessary, legal or professional, a practiced individual in the profession should
be ordered.
From a Declaration of Principles which was accepted and approved equally by a
Committee of the American Bar Association and a Committee of Publishers and
Associations.
In no way is it legal to reproduce, duplicate, or transmit any part of this document in either
electronic means or in printed format. Recording of this publication is strictly prohibited
and any storage of this document is not allowed unless with written permission from the
publisher. All rights reserved.
The information provided herein is stated to be truthful and consistent, in that any liability,
in terms of inattention or otherwise, by any usage or abuse of any policies, processes, or
directions contained within is the solitary and utter responsibility of the recipient reader.
Under no circumstances will any legal responsibility or blame be held against the
publisher for any reparation, damages, or monetary loss due to the information herein,
either directly or indirectly.
Respective authors own all copyrights not held by the publisher.
The information herein is offered for informational purposes solely, and is universal as so.
The presentation of the information is without contract or any type of guarantee assurance.
The trademarks that are used are without any consent, and the publication of the trademark
is without permission or backing by the trademark owner. All trademarks and brands
within this book are for clarifying purposes only and are the owned by the owners
themselves, not affiliated with this document.

You might also like