Fundamentals of Programming With Python Language
Fundamentals of Programming With Python Language
T. Vamsidhar
Asst. Professor
CSE-H
KLEF
Introduction To Python
Introduction
• Python is a High-Level Dynamic Programming Language which is interpreted.
• Guido Van Rossum, the father of Python
• Python is ranked as the 3rd most prominent language followed by JavaScript and Java in a survey held in 2018 by Stack
Overflow
• Python was conceived in the late 1980s
• Python 2.0 was released on 16 October 2000
• Python 3.0 was released on 3 December 2008
• Python 2.7's end-of-life date was initially set at 2015 then postponed to 2020
Python Applications
• Web Development: Django, Pyramid, Bottle, Tornado, Flask, web2py
• GUI Development: tkInter, PyGObject, PyQt, PySide, Kivy, wxPython
• Scientific and Numeric: SciPy, Pandas, IPython
• Software Development: Buildbot, Trac, Roundup
• System Administration: Ansible, Salt, OpenStack
Features of Python
Easy to Learn and Use - developer-friendly
Expressive Language - more understandable
and readable
Interpreted Language – debugging is easy
Free and Open Source
Object-Oriented Language
Large Standard Library
GUI Programming Support
Integrated - It can be easily integrated with
languages like C, C++, JAVA etc.
Python installation
If not installed
•Then go to the website
https://www.python.org/
Python Website
Python Identifiers
A Python identifier is a name used to identify
a variable, function, class, module or other
object.
An identifier starts with a letter A to Z or a to z
or an underscore (_) followed by zero or more
letters, underscores and digits (0 to 9).
Python does not allow punctuation characters
such as @, $, and % within identifiers.
Python is a case sensitive programming
language.
Thus, Power and power are two different
identifiers in Python.
Hello world program
1. Open the notepad
print(“Welcome to KLU”)
Example 1:
if 5 > 2:
print("Five is greater than two!")
print(“5 > 2")
Out put:
Error
Example 2:
if 5 > 2:
print("Five is greater than two!")
print(“5 > 2")
Output:
Five is greater than two!
5>2
Comments in Python
Comments are very important while writing a
program.
It describes what's going on inside a program
so that a person can understand it very easily.
In Python, we use the hash (#) symbol to start
writing a comment.
Python Interpreter ignores comment.
Multiline Comments
If we have comments that extend multiple
lines, one way of doing it is to use hash (#) in
the beginning of each line.
For example:
Comments
• Comments start with a #
#This is a comment.
print("Hello, World!")
"""
This is a comment
written in
more than just one line
"""
Python Variables
Variables are nothing but reserved memory locations to store
values.
When you create a variable you reserve some space in
memory.
Based on the data type of a variable, the interpreter allocates
memory and decides what can be stored in the reserved
memory.
By assigning different data types to variables, you can store
integers, decimals or characters in these variables.
Rules to follow while naming the variables.
• Variable names can contain letters, numbers and the
underscore.
• Variable names cannot contain spaces.
• Variable names cannot start with a number.
• Case matters—for instance, temp and Temp are different.
Python Variables
Example
x, y, z = "Orange", "Banana", "Cherry"
print(x)
print(y)
print(z)
And you can assign the same value to multiple variables in one line:
Example
x = y = z = "Orange"
print(x)
print(y)
print(z)
Input Statement
The input function is a simple way to get input from
user.
name = input('Enter your name: ')
print('Hello, ', name)
The basic structure of input statement is
variable_name = input(message to user)
The above statement works for getting text from the
user.
To get numbers from the user we can use ‘int’
num = int(input('Enter a number: '))
print('Your number squared:', num*num)
The ‘int’ function converts the number entered by the
user into an integer number.
Output Statement
We use the print() function to output data to
the standard output device.
print(1,2,3,4)
Output: 1 2 3 4
print(3+4)
Output: 7
print(‘3+4’)
Output: 3+4
Output Variables
The Python print statement is often used to output variables.
Result will be –
\r will just work as you have shifted your cursor to the beginning of the string or line.
Example 1
print('Python is included in KLU\r123456')
Output
123456 is included in KLU
Example 2
print(“Python is included in \t KLU”)
Output:
Python is included in KLU
Example 3
Print(“Python is included in \n KLU”)
Output:
Python is included in
KLU
Global Variables
• Variables that are created outside of a function are known as global variables.
• Global variables can be used by everyone, both inside of functions and outside.
Example
•Create a variable outside of a function, and use it inside the function
x = "awesome“
def myfunc():
print("Python is " + x)
myfunc()
Example
•Create a variable inside a function, with the same name as the global variable
x = "awesome“
def myfunc():
x = "fantastic"
print("Python is " + x)
myfunc()
print("Python is " + x)
Using global Keyword
To create a global variable inside a function, you can use the global keyword.
Example 1
•If you use the global keyword, the variable belongs to the global scope:
def myfunc():
global x
x = "fantastic“
myfunc()
print("Python is " + x)
Example 2
•We can use the global keyword if you want to change a global variable inside a function.
x = "awesome”
def myfunc():
global x
x = "fantastic“
myfunc()
Reserved Words
The following list shows some of the Python
keywords.
These are reserved words and you cannot use
them as constant or variable or any other
identifier names.
All the Python keywords contain lowercase
letters only.
Reserved Words
Following is the list of reserved keywords in Python 3
output:
C:\Users\My Name>python demo_type_list2.py
['apple', 'banana', 'cherry']
<class 'list'>
Prog: 2
x = 20.5
print(x)
print(type(x))
output:
C:\Users\My Name>python demo_type_float.py
20.5
<class 'float'>
Python Numbers
There are three numeric types in Python:
•int
•float
•complex
Variables of numeric types are created when you assign a value to them:
Example 1
x = 1 # int
y = 2.8 # float
z = 1j # complex
Complex
Complex numbers are written with a "j" as the imaginary part:
Example 2
Complex:
x = 3+5j
y = 5j
z = -5j
print(type(x))
print(type(y))
print(type(z))
output:
C:\Users\My Name>python demo_numbers_complex.py
<class 'complex'>
<class 'complex'>
<class 'complex'>
Type Conversion
•You can convert from one type to another with the int(), float(), and complex() methods:
Example
Convert from one type to another:
x = 1 # int
y = 2.8 # float
z = 1j # complex
print(a)
print(b)
print(c)
print(type(a))
print(type(b))
print(type(c))
output:
C:\Users\My Name>python demo_numbers_convert.py
1.0
2
(1+0j)
<class 'float'> <class 'int'> <class 'complex'>
Random Number Generation
Python does not have a random() function to make a random number, but
Python has a built-in module called random that can be used to make random
numbers:
Example
Import the random module, and display a random number between 1 and 9:
import random
print(random.randrange(1,10))
output:
C:\Users\My Name>python demo_numbers_random.py
7
Python Strings
String Literals
• String literals in python are surrounded by either single quotation marks, or double quotation
marks.
• 'hello' is the same as "hello".
print("Hello")
print('Hello')
Assign String to a Variable
a = "Hello"
print(a)
Multiline Strings
a = """Lorem ipsum dolor sit amet, consectetur adipiscing elit,
sed do eiusmod tempor incididunt ut labore et dolore magna aliqua."""
print(a)
Strings are Arrays
• Strings in Python are arrays of bytes representing unicode characters.
• However, Python does not have a character data type,
a single character is simply a string with a length of 1.
• Square brackets can be used to access elements of the string.
Get the character at position 1 (remember that the first character has the position 0):
a = "Hello, World!"
print(a[1])
Strings
Slicing
• You can return a range of characters by using the slice syntax.
• Specify the start index and the end index, separated by a colon, to return a part of the string.
• Get the characters from position 2 to position 5 (not included):
b = "Hello, World!"
print(b[2:5])
Negative Indexing
• Use negative indexes to start the slice from the end of the string
• Get the characters from position 5 to position 1, starting the count from the end of the string:
b = "Hello, World!"
print(b[-5:-2])
orl
String Length
• The len() function returns the length of a string:
a = "Hello, World!"
print(len(a))
String Methods
We have built-in methods to handle strings
Method Description Example
strip() To removes any whitespace a = " Hello, World! "
print(a.strip())
lower() Returns string in lower case print(a.lower())
split() splits the string into substrings (Based on the Seperator) print(a.split(","))
# returns ['Hello', ' World!‘]
find() Searches the string for a specified value and returns the a="Hello World!“ print(a.find("World"))
position
Index() Return index of the substring from the given string txt = "Hello, welcome to my world.”
x = txt.index("welcome“)
print(x)
Isalpha() If text contains alphabets then it returns True otherwise txt = "Company10”
False x = txt.isalpha()
print(x)
zfill() Fill the strings with zeros until they are 10 characters long a = "hello"
b = "welcome to the jungle"
c = "10.000”
print(a.zfill(10))
print(b.zfill(10))
13/5/2020 P.Venkateswara rao print(c.zfill(10)) 45
Method Description
center() Returns a centered string
count() Returns the number of times a specified value occurs in a string
encode() Returns an encoded version of the string
endswith() Returns true if the string ends with the specified value
expandtabs() Sets the tab size of the string
find() Searches the string for a specified value and returns the position of where it was found
otherwise -1 value it returns
format() Formats specified values in a string
index() Searches the string for a specified value and returns the position of where it was found
join() Joins the elements of an iterable to the end of the string
ljust() Returns a left justified version of the string
lstrip() Returns a left trim version of the string
partition() Returns a tuple where the string is parted into three parts
replace() Returns a string where a specified value is replaced with a specified value
split() Splits the string at the specified separator, and returns a list
splitlines() Splits the string at line breaks and returns a list
startswith() Returns true if the string starts with the specified value
strip() Returns a trimmed version of the string
translate() Returns a translated string
zfill() Fills the string with a specified number of 0 values at the beginning
13/5/2020 P.Venkateswara rao 46
isalnum() Returns True if all characters in the string are alphanumeric
isalpha() Returns True if all characters in the string are in the alphabet
isdecimal() Returns True if all characters in the string are decimals
isdigit() Returns True if all characters in the string are digits
isidentifier() Returns True if the string is an identifier
islower() Returns True if all characters in the string are lower case
isnumeric() Returns True if all characters in the string are numeric
isprintable() Returns True if all characters in the string are printable
isspace() Returns True if all characters in the string are whitespaces
istitle() Returns True if the string follows the rules of a title
isupper() Returns True if all characters in the string are upper case
String rpartition()
The rpartition() splits the string at the last occurrence of the argument string and returns a tuple
containing the part the before separator, argument string and the part after the separator.
output
• The strip() method removes any leading (spaces at the beginning) and trailing (spaces at the end)
characters (space is the default leading character to remove)
• Syntax
string.strip(characters)
Parameter Values
Parameter Description characters Optional.
A set of characters to remove as leading/trailing characters from below Example
Remove the leading and trailing characters:
txt = ",,,,,rrttgg.....PVRAO....rrr##“
x = txt.strip(",.#grt")
print(x)
a=5
b=2
print(a+b) 7
print(a-b) 3
print(a*b) 10
Print(float(a/b)) 2
Print(a%b) 1
Print(a**b) 5
Print(a//b) 2
14/05/2020 P.Venkateswara rao 57
Assignment Operators
• Assignment operators are used to assign values to variables
Example:
a=5
b=2
if(a>b):
print("A is greater than B")
else:
print("B is greater than A")
Output:
A is greater than B
14/05/2020 P.Venkateswara rao 59
Logical Operators
• Logical operators are used to combine conditional statements :
Example: Truth table for AND operator Truth table for NOT operator
Check the Number is single digit or not Operand 1 Operand 2 Result Operand 1 Result
Left shift Example: Truth table for AND operator Truth table for XOR operator
a=5
b=1 Operand 1 Operand 2 Result Operand 1 Operand 2 Result
c=a<<b
print(c) 1 1 1 1 1 0
Example using “&” Opt 1 0 0 1 0 1
a=5
b=1 0 1 0 0 1 1
c=a&b
print(c) 0 0 0 0 0 0
Output:
14/05/2020 P.Venkateswara rao 61
1
Using Logical operators
And
• The and keyword is a logical operator, and is used to combine conditional statements:
Example
• Test if a is greater than b, AND if c is greater than a:
a = 200
b = 33
c = 500
if a > b and c > a:
print("Both conditions are True")
Or
• The or keyword is a logical operator, and is used to combine conditional statements:
Example
• Test if a is greater than b, OR if a is greater than c:
a = 200
b = 33
c = 500
if a > b or a > c:
print("At least one of the conditions is True")