KEMBAR78
Python Unit 1 Chapter 1 | PDF | Data Type | Boolean Data Type
0% found this document useful (0 votes)
37 views63 pages

Python Unit 1 Chapter 1

Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PPTX, PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
37 views63 pages

Python Unit 1 Chapter 1

Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PPTX, PDF, TXT or read online on Scribd
You are on page 1/ 63

Data Structures through Python

 Introduction to python programming language


 literals
 Variables and identifiers
 Operators
 Expressions and data types.
Control Structures:
 Control structure importance
 Boolean expressions
Introduction to Python Programming Language:
• Guido van Rossum (Figure 1-26) is the creator of the Python programming language, first released in the early
1990s. Its name comes from a 1970s British comedy sketch television show called Monty Python’s Flying
Circus . (Check them out on YouTube!) The development environment IDLE provided with Python (discussed
below) comes from the name of a member of the comic group.
• Python has a simple syntax. Python programs are clear and easy to read. At the same time, Python provides
powerful programming features, and is widely used. Companies and organizations that use Python include
YouTube, Google, Yahoo, and NASA. Python is well supported and freely available at www.python.org.

FIGURE 1-26 Guido van Rossum


The IDLE Python:
• Development Environment IDLE is an integrated development environment ( IDE ). An IDE is a bundled set of
software tools for program development. This typically includes an editor for creating and modifying programs, a
translator for executing programs, and a program debugger . A debugger provides a means of taking control of the
execution of a program to aid in finding program errors.
• Python is most commonly translated by use of an interpreter. Thus, Python provides the very useful ability to execute
in interactive mode. The window that provides this interaction is refereed to as the Python shell . Interacting with the
shell is much like using a calculator, except that, instead of being limited to the operations built into a calculator
(addition, subtraction, etc.), it allows the entry and creation of any Python code. Example use of the Python shell is
demonstrated in Figure 1-27.

FIGURE 1-27 Python Shell


Here, the expression 2+3 is entered at the shell prompt ( >>> ), which immediately responds with the result 5.
The Python Standard Library:
• The Python Standard Library is a collection of built-in modules , each providing specific functionality beyond what is
included in the “core” part of Python. For example, the math module provides additional mathematical functions. The
random module provides the ability to generate random numbers, useful in programming. In order to utilize the capabilities
of a given module in a specific program, an import statement is used as shown in Figure 1-28.
• The example in the figure shows the use of the import math statement to gain access to a particular function in the math
module, the factorial function. The syntax for using the factorial function is math.factorial(n), for some positive integer n.

FIGURE 1-28 Using an import statement


A Bit of Python:
• We introduce a bit of Python, just enough to begin writing some simple programs. Since all computer programs
input data, process the data, and output results, we look at the notion of a variable, how to perform some simple
arithmetic calculations, and how to do simple input and output.
Variables:
One of the most fundamental concepts in programming is that of a variable . A simple description of a variable is
“a name that is assigned to a value,” as shown below,
n=5 variable n is assigned the value 5
• Thus, whenever variable n appears in a calculation, it is the current value that n is assigned to that is used, as in
the following,
n + 20 (5 + 20)
• If variable n is assigned a new value, then the same expression will produce a different result,
n = 10
n + 20 (10 + 20)
• We next look at some basic arithmetic operators of Python.
Some Basic Arithmetic Operators:
• The common arithmetic operators in Python are + (addition), - (subtraction), * (multiplication), / (division), and **
(exponentiation). Addition, subtraction, and division use the same symbols as standard mathematical notation,
10 +20 25 - 15 20 / 10
• (There is also the symbol // for truncated division, discussed in next Chapter .) For multiplication and exponentiation, the
asterisk (*) is used.
5 * 10 (5 times 10) 2 ** 4 (2 to the 4th power)
• Multiplication is never denoted by the use of parentheses as in mathematics, as depicted below,
10 * (20 + 5) CORRECT 10(20 + 5) INCORRECT
Note that parentheses may be used to denote sub expressions.
Finally, we see how to input information from the user, and display program results.
Basic Input and Output:
• The programs that we will write request and get information from the user. In Python, the input function is used for this purpose,
name = input('What is your name?: ')
Characters within quotes are called strings . This particular use of a string, for requesting input from the user, is called a prompt . The
input function displays the string on the screen to prompt the user for input,
What is your name?: Charles
• The underline is used here to indicate the user’s input.
• The print function is used to display information on the screen in Python. This may be used to display a message,
>>> print('Welcome to My First Program!')
Welcome to My First Program!
or used to output the value of a variable,
>>> n = 10
>>> print(n)
10
• or to display a combination of both strings and variables,
>>> name = input('What is your name?: ')
What is your name?: Charles
>>> print('Hello', name)
Hello Charles
Learning How to Use IDLE:
• In order to become familiar with writing your own Python programs using IDLE, we will create a simple program that asks
the user for their name and responds with a greeting. This program utilizes the following concepts:
♦ creating and executing Python programs
♦ input and print
• First, to create a Python program file, select New Window from the File menu in the Python shell as shown in Figure 1-29:

FIGURE 1-29 Creating a Python Program File


A new, untitled program window will appear:

Type the following in the program window exactly as shown.


• When finished, save the program file by selecting Save As under the File menu, and save in the appropriate folder with the
name MyFirstProgram.py.

• To run the program, select Run Module from the Run menu (or simply hit function key F5).
• If you have entered the program code correctly, the program should execute as shown in Figure 1-30.

• If, however, you have mistyped part of the program resulting in a syntax error (such as mistyping print), you will get an error
message similar to that in Figure 1-31.
Features of PYTHON Programming:
1. A simple language which is easier to learn:
Python has a very a simple and elegant syntax. It’s much easier to read and write python programs compare to other languages like c,
c++, java and c#.
2. Free and Open Source:
We can freely use and distribute python, even for commercial use. Not only can we use and distribute software’s written in it, we can
even make changes to the python’s source code.
3. Portability:
We can move python programs from one platform to another and run it without any changes. It runs seamlessly on almost all
platforms including windows, Mac OS and LINUX.
4. Extensible and Embeddable:
Suppose an application requires high performance. We can easily combine pieces of c/c++ or other languages programs with python
code.
5. Vast support of libraries:
Python has large collection of in-built functions known as standard library functions. Python also supports various third-party
software like NUMPY(supports for large, multi-dimensional arrays and matrices) and else.
6. Developer Productivity:
Compared to other programming languages, python is a dynamically typed language, which means there is no need to declare
variable explicitly.
EXAMPLE: a=10
b=5
Sum=a+b
Literals/Constants:
What Is a Literal? A literal is a sequence of one or more characters that stands for itself.
Types of Literals:
1. Numeric Literals:
• A numeric literal is a literal containing only the digits 0–9, an optional sign character ( + or - ), and a possible decimal
point. (The letter e is also used in exponential notation, shown in the next subsection). If a numeric literal contains a decimal
point, then it denotes an integer value (e.g., 10) otherwise it denotes a floating-point value , or “ float ” (e.g., 10.24).
Commas are never used in numeric literals .
• Below Figure gives additional examples of numeric literals in Python.

• Examples: >>>1024 >>>-1024 >>>.1024 >>>1024.46


Limits of Range in Floating-Point Representation:
• There is no limit to the size of an integer that can be represented in Python. Floating-point values, however, have both a
limited range and a limited precision . Python uses a double-precision standard format providing a range of 10-308 to 10 +308
with 16 to 17 digits of precision. To denote such a range of values, floating-points can be represented in scientific notation.
Examples:
9.0045602e+5 (9.0045602*10 5 , 8 digits of precision)
1.006249505236801e8 (1.006249505236801*108 , 16 digits of precision)
4.239e-16 (4.239*10-16 , 4 digits of precision)
Workout examples:
1. 1/3 2.3*(1/3) 3.1/3+1/3+1/3+1/3… 4.(1/10) 5.6*(1/3) 6.6*(1/3)
Built-in format Function:
The built-in format function can be used to produce a numeric string version of the value containing a specific number of
decimal places.
Examples:
>>>12/5 >>> 5/7
2.4 0.7142857142857143
>>> format(12/5, '.2f') >>>format(5/7, '.2f')
'2.40' '0.71'
For large values ‘e’ can be used as a format specifier ie. >>>format(2**100,’.6e’) ---- ‘1.26765e+30’
String Literals:
A string literal or string, is a sequence of characters denoted by a pair of matching single or double (some times triple) quotes
in python.
Example: 'Hello' 'Smith, John‘ "Baltimore, Maryland 21210“
>>>print('Welcome to Python!')
Welcome to Python!
Additional examples:

Workout examples:
>>> print('Hello') >>>print('Hello") >>> print('Let's Go')
??? ??? ???
>>>print("Hello") >>>print("Let's Go!') >>>print("Let's go!")
??? ??? ???
The Representation of Character Values:
• Python has means for converting between a character and its encoding. The ord function gives the UTF(Unicode
Transmission Format)-8 (ASCII) encoding of a given character.
• For example, ord('A') is 65.
• The chr function gives the character for a given encoding value, thus chr(65) is 'A'.

TABLE: Partial UTF-8 (ASCII) Code Table


EXAMPLES:
>>>ord('1') >>>chr(65) >>>chr(97)
??? ??? ???
>>>ord('2') >>>chr(90) >>>chr(122)
??? ??? ???
Control Characters:
• Control characters are special characters that are not displayed on the screen. Rather, they control the display of output.
Control characters do not have a corresponding keyboard character. Therefore, they are represented by a combination of
characters called an escape sequence .
• An escape sequence begins with an escape character that causes the sequence of characters following it to “escape” their
normal meaning. The backslash (\) serves as the escape character in Python. For example, the escape sequence '\n', represents
the newline control character , used to begin a new screen line. An example of its use is given below,
print('Hello\n Jennifer Smith')
which is displayed as follows,
Hello
Jennifer Smith
More Examples:
>>>print('Hello World') >>>print('Hello\nWorld')
??? ???
>>>print('Hello World\n') >>>print('Hello\n\nWorld')
??? ???
>>>print('Hello World\n\n') >>>print(1, '\n', 2, '\n', 3)
??? ???
>>>print('\nHello World') >>>print('\n', 1, '\n', 2, '\n', 3)
String Formatting:
The format function can be used to control how strings are displayed. As given above, the format function has the form,
format(value, format_specifier)
Where
value -- is the value to be displayed,
and format_specifier --- can contain a combination of formatting options.
For example, to produce the string 'Hello' left-justified in a field width of 20 characters would be done as follows,
format('Hello', ' < 20') ➝ 'Hello '
To right-justify the string, the following would be used,
format('Hello', ' > 20') ➝ ‘ Hello‘
Formatted strings are left-justified by default.
To center the string the '^' character is used: format('Hello', '^20').
Another use of the format function is to create strings of blank characters, which is sometimes useful,
format(‘ ‘, '30') ➝ ‘ ‘
• However, a specific fill character can be specified as shown below,
>>>print('Hello World', format('.', '. < 30'), 'Have a Nice Day!')
Hello World .............................. Have a Nice Day!
Implicit and Explicit Line Joining:
• Sometimes a program line may be too long to fi t in the Python-recommended maximum length of 79 characters. There are two ways in
Python to do deal with such situations—implicit and explicit line joining.
1. Implicit Line Joining:
• There are certain delimiting characters that allow a logical program line to span more than one physical line. This includes matching
parentheses, square brackets, curly braces, and triple quotes.
• For example, the following two program lines are treated as one logical line,
student_name="hari“ student_address="RJP“ total_credits=104 current_gpa=3.6
print('Name:', student_name, 'Address:', student_address,
'Number of Credits:', total_credits, 'GPA:', current_gpa)
• Matching quotes (except for triple quotes, covered later) must be on the same physical line.
• For example, the following will generate an error,
print('This program will calculate a restaurant tab for a couple
with a gift certificate, and a restaurant tax of 3%')
2. Explicit Line Joining:
• In addition to implicit line joining, program lines may be explicitly joined by use of the backslash (\) character. Program lines that end with a
backslash that are not part of a literal string (that is, within quotes) continue on the following line,
numsecs_1900_dob= ((year_birth 2 1900) * avg_numsecs_year) + \
((month_birth 2 1) * avg_numsecs_month) + \
(day_birth * numsecs_day)
Variables and Identifiers:
What Is a Variable?
• A variable is a name (identifier) that is associated with a value, as for variable num depicted in Figure.

FIGURE: Program Variable


• A variable can be assigned different values during a program’s execution—hence, the name “variable.” Wherever a variable
appears in a program (except on the left-hand side of an assignment statement), it is the value associated with the variable
that is used , and not the variable’s name,
num + 1 ➝ 10 + 1 ➝ 11
• Variables are assigned values by use of the assignment operator , = ,
num = 10 num = num + 1

Figure: Variable Update


• Variables may also be assigned to the value of another variable (or expression, discussed below) as depicted in Figure

Figure: Variable Assignment (to another variable)


• Variables num and k are both associated with the same literal value 10 in memory. One way to see this is by use of built-in
function id,
>>id(num) >>>id(k)
505494040 505494040
• The id function produces a unique number identifying a specific value (object) in memory. integer values are immutable, is a
value that cannot be changed. Thus, both will continue to refer to the same value until one (or both) of them is reassigned, as
depicted in Figure.

Figure: Variable Reassignment


• If no other variable references the memory location of the original value, the memory location is deallocated
(that is, it is made available for reuse).
• Finally, in Python the same variable can be associated with values of different type during program execution, as
indicated below.
var = 12 ------- integer
var = 12.45 ------ float
var = 'Hello‘ ----- string
Examples:
>>>num=10 >>>id(num) >>>k=num >>>id(k) >>>k=30 >>>k=k+1

num k id(num) k k
Variable Assignment and Keyboard Input:
• The value of a variable can come from the user by use of the input function.
>>>name = input('What is your first name?')
What is your first name? John
• In this case, the variable name is assigned the string 'John'. If the user hit return without entering any value, name would be
assigned to the empty string ('').
• All input is returned by the input function as a string type. For the input of numeric values, the response must be converted to
the appropriate type. Python provides built-in type conversion functions int () and float () are used for this purpose.
line = input('How many credits do you have?')
num_credits = int(line)
line= input('What is your grade point average?')
gpa = float(line)
• Here, the entered number of credits, say '24', is converted to the equivalent integer value, 24, before being assigned to
variable num_credits. For input of the gpa, the entered value, say '3.2', is converted to the equivalent floating-point value,
3.2. Note that the program lines above could be combined as follows,
num_credits = int(input('How many credits do you have? '))
gpa = float(input('What is your grade point average? '))
Identifier:
An identifier is the name used to find a variable, function, class or other objects. All identifiers just obey the following rules:
a. Is a sequence of characters that consists of letter, digits and underscore.
b. Can be of any length
c. Starts with a letter which can be either lower/upper case
d. Can start with an underscore ‘_’
e. Cannot start with a digit
f. Cannot be a keyword.
Some examples of identifiers:
Keywords and Other Predefined Identifiers in Python:
• A keyword is an identifier that has predefined meaning in a programming language. Therefore, keywords cannot be used as
“regular” identifiers. Doing so will result in a syntax error
>>>and = 10  Syntax Error: invalid syntax
• The keywords in Python are listed in Figure. To display the keywords, type help() in the Python shell, and then type
keywords (type 'q' to quit).

Figure: Keywords in Python


Operators:
What Is an Operator?
• An operator is a symbol that represents an operation that may be performed on one or more operands .
• For example, the + symbol represents the operation of addition.
• An operand is a value that a given operator is applied to, such as operands 2 and 3 in the expression 2 + 3.
• unary operator operates on only one operand, such as the negation operator in -12.
• A binary operator operates on two operands, as with the addition operator. Most operators in programming languages are
binary operators.
Arithmetic Operators:
Python provides the arithmetic operators given in below Figure: Arithmetic Operators in Python
• The + , - , * (multiplication) and / (division) arithmetic operators perform the usual operations. Note that the - symbol is used
both as a unary operator (for negation) and a binary operator (for subtraction).
20 -5 ➝ 15 ( - as binary operator)
2-10 * 2 ➝ -20 ( - as unary operator)
• Python also includes an exponentiation (**) operator. Integer and floating-point values can be used in both the base and the
exponent,
2**4 ➝ 16
2.5 ** 4.5 ➝ 61.76323555016366
• Python provides two forms of division. “true” division is denoted by a single slash, /. Thus, 25 / 10 evaluates to 2.5.
Truncating division is denoted by a double slash, //, providing a truncated result based on the type of operands applied to.
When both operands are integer values, the result is a truncated integer referred to as integer division . When as least one of
the operands is a float type, the result is a truncated floating point. Thus, 25 // 10 evaluates to 2, while 25.0 // 10 becomes
2.0. This is summarized in Figure: Division Operators in Python
• Lastly, the modulus operator (%) gives the remainder of the division of its operands, resulting in a cycle of
values. This is shown in Figure: The Modulus Operator
Expressions and Data Types:
What Is an Expression?
• An expression is a combination of symbols that evaluates to a value. Expressions, most commonly, consist of a combination
of operators and operands,
4 + (3 * k)
• An expression can also consist of a single literal or variable. Thus, 4, 3, and k are each expressions. This expression has two
subexpressions, 4 and (3 * k). Subexpression (3 * k) itself has two subexpressions, 3 and k.
• Expressions that evaluate to a numeric type are called arithmetic expressions . A subexpression is any expression that is
part of a larger expression. Subexpressions may be denoted by the use of parentheses, as shown above. Thus, for the
expression 4 + (3 * 2), the two operands of the addition operator are 4 and (3 * 2), and thus the result it equal to 10. If the
expression were instead written as (4 + 3) * 2, then it would evaluate to 14.
• Since a subexpression is an expression, any subexpression may contain subexpressions of its own,
4 + (3 * (2 - 1)) ➝ 4 + (3 * 1) ➝ 4 + 3 ➝ 7
• If no parentheses are used, then an expression is evaluated according to the rules of operator precedence in Python, discussed
in the next section.
More Examples:
1. (2 +3) * 4 2. 2 + (3 * 4) 3. 2 + ((3 * 4) - 8) 4. 2 +3 * (4 - 1)
Operator Precedence:
• The way we commonly represent expressions, in which operators appear between their operands, is referred to as infix
notation . For example, the expression 4 + 3 is in infix notation since the + operator appears between its two operands, 4 and
3. There are other ways of representing expressions called prefix and postfix notation, in which operators are placed before
and after their operands, respectively.
• The expression 4 + (3 * 5) is also in infix notation. It contains two operators, + and *.The parentheses denote that (3 * 5) is a
subexpression. Therefore, 4 and (3 * 5) are the operands of the addition operator, and thus the overall expression evaluates to
19. What if the parentheses were omitted, as given below?
4+3*5
• How would this be evaluated? These are two possibilities,
1. 4 + 3 * 5 ➝ 4 + 15 ➝ 19 2. 4 +3 * 5 ➝ 7 * 5 ➝ 35
Operator precedence is the relative order that operator are applied in the evaluation of expression, defined by a given operator
precedence table: Operator Precedence of Arithmetic Operators in Python
• In the table, higher-priority operators are placed above lower-priority ones. Thus, we see that multiplication is performed before
addition when no parentheses are included,
4 + 3 * 5 ➝ 4 + 15 ➝ 19
• In our example, therefore, if the addition is to be performed first, parentheses would be needed,
(4 + 3) * 5 ➝ 7 * 5 ➝ 35
• As another example, consider the expression below. Following Python’s rules of operator precedence, the exponentiation operator is
applied first, then the truncating division operator, and finally the addition operator,
4 + 2 ** 5 // 10 ➝ 4 + 32 // 10 ➝ 4 + 3 ➝ 7
Operator Associativity:
• A question that you may have already had is, “What if two operators have the same level of precedence, which one is applied first?”
For operators following the associative law, the order of evaluation doesn’t matter,
(2 + 3) + 4 ➝ 9 2 +(3 + 4) ➝ 9
• In this case, we get the same results regardless of the order that the operators are applied. Division and subtraction, however, do not
follow the associative law,
(a) (8 -4) - 2 ➝ 4 -2 ➝ 2 8 - (4 - 2) ➝ 8 -2 ➝ 6
(b) (8 / 4) / 2 ➝ 2 / 2 ➝ 1 8 / (4 / 2) ➝ 8 / 2 ➝
(c) 2 ** (3 ** 2) ➝ 512 (2 ** 3) ** 2 ➝ 64
• Here, the order of evaluation does matter. To resolve the ambiguity, each operator has a specified operator associativity that defines
the order that it and other operators with the same level of precedence are applied (as given in above Figure). All operators in the
figure, except for exponentiation, have left-to-right associativity—exponentiation has right-to-left associativity.
What Is a Data Type?
• A data type is a set of values, and a set of operators that may be applied to those values. For example, the
integer data type consists of the set of integers, and operators for addition, subtraction, multiplication, and
division, among others. Integers, floats, and strings are part of a set of predefined data types in Python called the
built-in types .
• Data types prevent the programmer from using values inappropriately. For example, it does not make sense to
try to divide a string by two, 'Hello' / 2. The programmer knows this by common sense. Python knows it
because 'Hello' belongs to the string data type, which does not include the division operation.
• The need for data types results from the fact that the same internal representation of data can be interpreted in
various ways, as shown in Figure: Multiple Interpretations of a Sequence of Bits
There are two approaches to data typing in programming languages.
• In static typing :a variable is declared as a certain type before it is used, and can only be assigned values of that
type..
• In dynamic typing : the data type of a variable depends only on the type of value that the variable is currently
holding. Thus, the same variable may be assigned values of different type during the execution of a program.
Mixed-Type Expressions:
• A mixed-type expression is an expression containing operands of different type. The CPU can only perform
operations on values with the same internal representation scheme, and thus only on operands of the same type.
Operands of mixed-type expressions therefore must be converted to a common type.
• Values can be converted in one of two ways—by implicit (automatic) conversion, called coercion , or by explicit
type conversion .
1. Coercion vs. Type Conversion:
Coercion is the implicit (automatic) conversion of operands to a common type. Coercion is automatically
performed on mixed-type expressions only if the operands can be safely converted, that is, if no loss of
information will result. The conversion of integer 2 to floating-point 2.0 below is a safe conversion—the
conversion of 4.5 to integer 4 is not, since the decimal digit would be lost,
2 + 4.5 ➝ 2.0 + 4.5 ➝ 6.5 safe (automatic conversion of int to float)
2. Type conversion is the explicit conversion of operands to a specific type. Type conversion can be applied even if loss of
information results. Python provides built-in type conversion functions int() and float(), with the int() function truncating
results as given in Figure: Conversion Functions int() and float() in Python.
float(2) + 4.5 ➝ 2.0 + 4.5 ➝ 6.5
2 + int(4.5) ➝ 2 + 4 ➝ 6

• Note that numeric strings can also be converted to a numeric type. In fact, we have already been doing this when using int or
float with the input function,
num_credits = int(input('How many credits do you have? '))
Control Structures:
Control structure importance
Boolean expressions
Selection control and iterative control
Control structures:
What Is a Control Structure?
Control flow is the order that instructions are executed in a program. A control statement is a statement that
determines the control flow of a set of instructions i.e it decides the sequence of in which the instruction in a program are to be
executed. A control statement can either comprise of one or more instructions. Three fundamental forms of control in
programming are sequential, selection and iterative control.
Sequential control is an implicit form of control in which instructions are executed in the order that they are written.
A program consisting of only sequential control is referred to as a “straight-line program.”
Selection control is provided by a control statement that selectively executes instructions, while iterative control is
provided by an iterative control statement that repeatedly executes instructions. Each is based on a given condition.
Collectively a set of instructions and the control statements controlling their execution is called a control structure .
The three forms of control are shown below:

Figure: Forms of control flows


Boolean Expressions (Conditions):
The Boolean data type contains two Boolean values, denoted as True and False in Python. A Boolean expression is an
expression that evaluates to a Boolean value. Boolean expressions are used to denote the conditions for selection and iterative
control statements.
1. Relational Operators:
The relational operators in Python perform the usual comparison operations, shown in Figure.

• Relational expressions are a type of Boolean expression, since they evaluate to a Boolean result. These operators not only apply
to numeric values, but to any set of values that has an ordering, such as strings.
• Note the use of the comparison operator , = = , for determining if two values are equal. This, rather than the (single) equal sign,
= , is used since the equal sign is used as the assignment operator. This is often a source of confusion for new programmers,
num = 10 variable num is assigned the value 10
num = = 10 variable num is compared to the value 10
Also, ! = is used for inequality simply because there is no keyboard character for the # symbol.
String values are ordered based on their character encoding, which normally follows a lexographical
( dictionary ) ordering . For example, 'Alan' is less than 'Brenda' since the Unicode (ASCII) value for 'A' is 65,
and 'B' is 66. However, 'alan' is greater than (comes after ) 'Brenda' since the Unicode encoding of lowercase
letters (97, 98, . . .) comes after the encoding of uppercase letters (65, 66, . . .).

EXAMPLES:
>>>10 == 20 >>>'2' < '9' >>>'Hello' == "Hello"
??? ??? ???
>>>10 != 20 >>>'12' < '9‘ >>>'Hello' < 'Zebra'
??? ??? ???
>>>10 <= 20 >>>'12' > '9‘ >>>'hello‘< 'ZEBRA'
??? ??? ???
2. Membership Operators:
Python provides a convenient pair of membership operators . These operators can be used to easily determine if a
particular value occurs within a specified list of values. The membership operators are given in Figure.

The in operator is used to determine if a specific value is in a given list, returning True if found, and False otherwise.
The not in operator returns the opposite result. The list of values surrounded by matching parentheses in the figure are called
tuples in Python.
• The membership operators can also be used to check if a given string occurs within another string ,
>>> 'Dr.' in 'Dr. Madison‘ --- True
• As with the relational operators, the membership operators can be used to construct Boolean expressions.
3. Boolean Operators:
George Boole, in the mid-1800s, developed what we now call Boolean algebra . His goal was to develop an algebra
based on true/false rather than numerical values. Boolean algebra contains a set of Boolean ( logical ) operators , denoted by
and, or, and not in Python. These logical operators can be used to construct arbitrarily complex Boolean expressions. The
Boolean operators are shown in Figure.

Logical and is true only when both its operands are true—otherwise, it is false. Logical or is true when either or both
of its operands are true, and thus false only when both operands are false. Logical not simply reverses truth values—not False
equals True, and not True equals False.
For example, in mathematics, to denote that a value is within a certain range is written as
1 <=num <= 10
This expression does not make sense. Let’s assume that num has the value 15. The expression would then be
evaluated as follows,
1 <= num <= 10 ➝ 1 <= 15 <= 10 ➝ True <=10 ➝ ?!?
It does not make sense to check if True is less than or equal to 10. The correct way of denoting the condition is by use
of the Boolean and operator,
1 <=5 num and num <= 10
In some languages (such as Python), Boolean values True and False have integer values 1 and 0, respectively.
So the above expression can be written as follows:
1<=num<=10  1<=15<=10  True <=10 1<=10 True
This would not be the correct result for this expression, however. Let’s see what we get when we do evaluate this
expression in the Python shell,
>>> num = 15
>>> 1 <=num <= 10
False
Note: Boolean literals True and false are never be quoted.
4. Operator Precedence and Boolean Expressions:
Operator precedence also applies to Boolean operators. Since Boolean expressions can contain arithmetic as well as
relational and Boolean operators, the precedence of all operators needs to be collectively applied. An updated operator
precedence table is given in Figure.

• As before, in the table, higher-priority operators are placed above lower-priority ones. Thus, we see that all arithmetic
operators are performed before any relational or Boolean operator ,
In addition, all of the relational operators are performed before any Boolean operator,

And as with arithmetic operators, Boolean operators have various levels of precedence. Unary Boolean operator not has higher
precedence than and, and Boolean operator and has higher precedence than or.

As with arithmetic expressions, it is good programming practice to use parentheses, even if not needed, to add clarity and
enhance readability. Thus, the above expressions would be better written by denoting at least some of the subexpressions,

if not all subexpressions,


5. Short-Circuit (Lazy) Evaluation:
In some programming languages do not evaluate the second operand when the result is known by the first operand
alone, called shortcircuit(lazy) evaluation . Subtle errors can result if the programmer is not aware of this. For example, the
expression
if n ! = 0 and 1/n < tolerance:
would evaluate without error for all values of n when short-circuit evaluation is used. If programming in a language
not using short-circuit evaluation, however, a “divide by zero” error would result when n is equal to 0. In such cases, the proper
construction would be,
if n ! = 0:
if 1/n < tolerance:
6. Logically Equivalent Boolean Expressions:
In numerical algebra, there are arithmetically equivalent expressions of different form. For example, x(y + z) and
xy + xz are equivalent for any numerical values x, y, and z. Similarly, there are logically equivalent Boolean expressions of
different form. We give some examples in FigureLogically Equivalent Conditional Expressions
Below Figure lists common forms of logically equivalent expressions.

Figure: Forms of Logically Equivalent Boolean Expressions


Selection / Conditional Branching Statements:
The decision control statements usually jumps from one part of the code to another depending on the whether a particular
condition is satisfied or not. That is they allow us to execute statements selectively based on certain decisions. Such type of
decision control statements are known as selection control statements or conditional branching statements. Python language
supports different types of conditional branching statements which are as follows:
1. If Statement:
If statement is the simplest form of decision control statement that is frequently used in decision making. An if
statement is a selection control statement based on the value of a given Boolean expression. The general form is as:

The if statement may include 1 statement or n statements enclosed within the if block. First the test expression is evaluated. If
the test expression is TRUE, the statement of if block are executed, otherwise these statements will be skipped and the
execution will jump to statement x.
Note: A header in python is a specific keyword followed by a colon. In the figure above, the if statement has a header i.e “if
test_expression:” having keyword if. The group of statements following a header is called suite/block. After the header all
instructions are intended at the same level. While four spaces is commonly used for each level of indentation, any of no of
spaces may be used.
EXAMPLES:
1. Program to implement a number if it is positive 2. Program to determine whether a person is eligible to vote

3. Program to determine the character entered by the user


2. if-else Statement:
If statement plays a vital role in conditional branching. Its usage is very simple. The test expression is evaluated and
if the result is True, the statements followed by the expression is executed, else if the expression is skipped by the compiler.
But what if we want a separate set of statements to be executed when the expression returns a zero value?. In such
cases, we use an if-else statement rather than using simple if statement. The general form of a simple if-else statement is shown
below:

1. Example: Program to determine whether a person is eligible to vote or not.


2. Program to find larger of two numbers 3. Even or Odd number

4 5. Leap year or not 5. leap year or not


3. Nested if statements:
A statement that contains other statements is called a compound statement. To perform complex checks, if statements
can be nested, that is, can be placed one inside the other. In such case, the inner if statement is the statement art of the outer
one. Nested if statements are used to check if more than one condition is satisfied.
Example: Program that prompts the user to enter a number and then print its interval.
4. if-elif-else Statement:
Python supports if-elif-else statements to test additional conditions apart from the initial test expression. The if-elif-
else construct works in the same way as a usual if-else statement. If-elif-else construct is also known as nested-if construct. The
general form is as follows:
Examples:
1. Program to test whether the entered nois +ve or –ve or equal to zero 2.Entered character is vowel or not

3. Program to find the greatest number from three numbers


Indentation in Python:
In most programming languages, indentation has no affect on program logic—it is simply used to align program
lines to aid readability. In Python, however, indentation is used to associate and group statements, as shown in Figure.

A header in Python is a specific keyword followed by a colon. In the figure, the if-else statement contains two
headers, “if which == 'F':” containing keyword if, and “else:” consisting only of the keyword else. Headers that are part of the
same compound statement must be indented the same amount—otherwise, a syntax error will result.
Basic LOOP Structures/Iterative Statements:
Python supports basic loop structures through iterative statements. Iterative statements are decision control
statements that are used to repeat the execution of a list of statements. Python language supports two types of iterative
statements they are while loop and for loop.
1. While loop:
The while loop provides a mechanism to repeat one or more statements while a particular condition is True. Below
figure shows the syntax and general form of representation of a while loop. Note in the while loop, the condition is tested
before any of the statements in the statement block is executed. If the condition is True, only then the statements will be
executed otherwise if the condition if False, the control will jump to statement y. that is the immediate statement outside the
while loop block.
A while loop is also referred to as a top-checking loop since control condition is placed as the first line of the code. If the
control condition evaluates to False, then the statements enclosed in the loop are never executed.
EXAMPLE:
1. Program to print 10 no’s using a while loop 2. Program to calculate the sum and average of first 10 no’s

3. Program to print 20Horizontal asterisks(*) 4. Program to calculate the sum of no’s from m to n
2. For Loop:
Like the while loop, the for loo provides a mechanism to repeat a task until a particular condition is true. The for loop
is usually known as a determinate or definite loop because the programmer knows exactly how many times the loop will repeat.
The number of times the loop has to be executed can be determined mathematically checking the logic of the loop.
The for … in statement is a looping statement used in python to iterate over a sequence of objects ie. Go through
each item in a sequence in a for loop can be given as in below figure:
When a for loop is used, a range of sequence is specified (only one). The items of the sequence are assigned to the
loop control variable one after the other. The for loop is executed for each item in the sequence. With every iteration of the
loop, a check is made to identify whether the loop control variable has been assigned all the values in the range. If all the
values have been assigned, the statement block of the loop is executed else the comprising statement block of the for loop are
skipped and the control jumps to the immediate statement following the for loop body.
Every iteration of the loop must make the loop control variable closer to the end of the range. So with every iteration,
the loop variable must be updated. Updating the loop variable makes it point to the next item in the sequence.
The range() Function:
The range() function in python is used to iterate over a sequence of number. The syntax is as:
The range() function produces a sequence of numbers starting with beginning and ending with one less than the number end.
The step argument is optional. By default every number in the range is incremented by 1 but we can specify a different using
step. It can be both negative and positive, but not zero.
EXAMPLE: Program to print n no’s using the range() in a for loop
Key points to be remember:
Input Error Checking: The while statement is well suited for input error checking in a program.

• Infinite loops: An infinite loop is an iterative control structure that never terminates (or eventually terminates with a system
error). Infinite loops are generally the result of programming errors. For example, if the condition of a while loop can never be
false, an infinite loop will result when executed.
• Such infinite loops can cause a program to “hang,” that is, to be
unresponsive to the user. In such cases, the program must be
terminated by use of some special keyboard input (such as ctrl-C) to interrupt the execution.
EXAMPLE:
while True:
print(‘looping’)
Definite vs. Indefinite Loops:
• A definite loop is a program loop in which the number of times the loop will iterate can be determined before the loop is
executed.

• An indefinite loop is a program loop in which the number of times that the loop will iterate cannot be determined before the
loop is executed.
The Break Statement:
The break statement is used to terminate the execution of the nearest enclosing loop in which it appears. The break
statement is widely used with for loop and while loop. While compiler encounters a break statement, the control passes to the
statement that follows the loop in which the break statement appears. Syntax: break.
EXAMPLE:

The Continue Statement:


The Continue statement can only appear in the body of a loop. When the compiler encounters a continue statement, then the
rest of the statement in the loop are skipped and the control is unconditionally transferred to the loop-continuation portion of
the nearest enclosing loop. Syntax: Continue.
EXAMPLE:
The PASS Statement: It is used when a statement is required syntactically but no command or code has to be executed. It
specifies null operations or simply No Operation(NOP) statement. Nothing happens when the pass statement is executed.
Synatx: PASS
EXAMPLE:

The Else Statement used with loops:


If the else statement is used with for loop, the else statement is executed when the loop has completed iterating. But when used
with the while loop, the else statement is executed when the condition becomes False.
Example:
Nested Loops:
Nested loops Can be placed inside other loops. This loops can be work with while loops as well as for loop, but it is
almost commonly used with the for loop because for loop can be used to control the number of times a particular set of
statements will be executed. Another outer loop could be used to control the number of times that a whole loop is repeated.
EXAMPLE: Program to print the following pattern

You might also like