SlideShare a Scribd company logo
Python3 Programming Language
Tahani Almanie
CSCI 5448| Fall 2015
https://upload.wikimedia.org/wikipedia/commons/c/c3/Python-logo-notext.svg
Presentation Outline
ByTahani Almanie | CSCI 5448
Python Overview
Python Data Types
Python Control Structures
Python Inputoutput
Python Functions
Python File Handling
Python Exception Handling
Python Modules
Python Classes
Python vs. Java Examples
Python Useful Tools
Who uses Python?
Python Overview
ByTahani Almanie | CSCI 5448
What is Python?
ByTahani Almanie | CSCI 5448
Python is a high-level programming language which is:
 Interpreted: Python is processed at runtime by the interpreter.
 Interactive: You can use a Python prompt and interact with the interpreter
directly to write your programs.
 Object-Oriented: Python supports Object-Oriented technique of programming.
 Beginner’s Language: Python is a great language for the beginner-level
programmers and supports the development of a wide range of applications.
History of Python
ByTahani Almanie | CSCI 5448
 Python was conceptualized by Guido Van Rossum in the late
1980s.
 Rossum published the first version of Python code (0.9.0) in
February 1991 at the CWI (Centrum Wiskunde & Informatica)
in the Netherlands , Amsterdam.
 Python is derived from ABC programming language, which is a
general-purpose programming language that had been
developed at the CWI.
 Rossum chose the name "Python", since he was a big fan of
Monty Python's Flying Circus.
 Python is now maintained by a core development team at the
institute, although Rossum still holds a vital role in directing
its progress. https://en.wikipedia.org/wiki/Guido_van_Rossum#/media/File:Guido_van_Rossum_OSCON_2006.jpg
Python Versions
ByTahani Almanie | CSCI 5448
Release dates for the major and minor versions:
Python 1.0 - January 1994
 Python 1.5 - December 31, 1997
 Python 1.6 - September 5, 2000
Python 2.0 - October 16, 2000
 Python 2.1 - April 17, 2001
 Python 2.2 - December 21, 2001
 Python 2.3 - July 29, 2003
 Python 2.4 - November 30, 2004
 Python 2.5 - September 19, 2006
 Python 2.6 - October 1, 2008
 Python 2.7 - July 3, 2010
Python Versions
ByTahani Almanie | CSCI 5448
Release dates for the major and minor versions:
Python 3.0 - December 3, 2008
 Python 3.1 - June 27, 2009
 Python 3.2 - February 20, 2011
 Python 3.3 - September 29, 2012
 Python 3.4 - March 16, 2014
 Python 3.5 - September 13, 2015
Key Changes in Python 3.0
ByTahani Almanie | CSCI 5448
 Python 2's print statement has been replaced by the print() function.
 There is only one integer type left, int.
 Some methods such as map() and filter( ) return iterator objects in Python 3
instead of lists in Python 2.
 In Python 3, a TypeError is raised as warning if we try to compare unorderable
types. e.g. 1 < ’ ', 0 > None are no longer valid
 Python 3 provides Unicode (utf-8) strings while Python 2 has ASCII str( ) types
and separate unicode( ).
 A new built-in string formatting method format() replaces the % string
formatting operator.
Old: New:
Key Changes in Python 3.0
ByTahani Almanie | CSCI 5448
 In Python 3, we should enclose the exception argument in parentheses.
 In Python 3, we have to use the as keyword now in the handling of
exceptions.
 The division of two integers returns a float instead of an integer. "//" can
be used to have the "old" behavior.
Old:
Old: New:
New:
Python Features
ByTahani Almanie | CSCI 5448
 Easy to learn, easy to read and easy to maintain.
 Portable: It can run on various hardware platforms and has the same
interface on all platforms.
 Extendable: You can add low-level modules to the Python interpreter.
 Scalable: Python provides a good structure and support for large programs.
 Python has support for an interactive mode of testing and debugging.
 Python has a broad standard library cross-platform.
 Everything in Python is an object: variables, functions, even code. Every
object has an ID, a type, and a value.
More Features ..
ByTahani Almanie | CSCI 5448
 Python provides interfaces to all major commercial databases.
 Python supports functional and structured programming methods as well as
OOP.
 Python provides very high-level dynamic data types and supports dynamic
type checking.
 Python supports GUI applications
 Python supports automatic garbage collection.
 Python can be easily integrated with C, C++, and Java.
Python Syntax
ByTahani Almanie | CSCI 5448
Basic Syntax
ByTahani Almanie | CSCI 5448
 Indentation is used in Python to delimit blocks. The number of spaces
is variable, but all statements within the same block must be
indented the same amount.
 The header line for compound statements, such as if, while, def, and
class should be terminated with a colon ( : )
 The semicolon ( ; ) is optional at the end of statement.
 Printing to the Screen:
 Reading Keyboard Input:
 Comments
•Single line:
•Multiple lines:
 Python files have extension .py
Error!
Variables
ByTahani Almanie | CSCI 5448
 Python is dynamically typed. You do not need to
declare variables!
 The declaration happens automatically when
you assign a value to a variable.
 Variables can change type, simply by assigning
them a new value of a different type.
 Python allows you to assign a single value to
several variables simultaneously.
 You can also assign multiple objects to multiple
variables.
Python Data Types
ByTahani Almanie | CSCI 5448
Numbers
ByTahani Almanie | CSCI 5448
 Numbers are Immutable objects in Python that cannot change their values.
 There are three built-in data types for numbers in Python3:
• Integer (int)
• Floating-point numbers (float)
• Complex numbers: <real part> + <imaginary part>j (not used much in Python programming)
 Common Number Functions
Function Description
int(x) to convert x to an integer
float(x) to convert x to a floating-point number
abs(x) The absolute value of x
cmp(x,y) -1 if x < y, 0 if x == y, or 1 if x > y
exp(x) The exponential of x: ex
log(x) The natural logarithm of x, for x> 0
pow(x,y) The value of x**y
sqrt(x) The square root of x for x > 0
Strings
ByTahani Almanie | CSCI 5448
 Python Strings are Immutable objects that cannot change their values.
 You can update an existing string by (re)assigning a variable to another string.
 Python does not support a character type; these are treated as strings of length one.
 Python accepts single ('), double (") and triple (''' or """) quotes to denote string literals.
 String indexes starting at 0 in the beginning of the string and working their way from -1
at the end.
Strings
ByTahani Almanie | CSCI 5448
 String Formatting
 Common String Operators
Assume string variable a holds 'Hello' and variable b holds 'Python’
Operator Description Example
+ Concatenation - Adds values on either side of the operator a + b will give HelloPython
* Repetition - Creates new strings, concatenating multiple copies of
the same string
a*2 will give HelloHello
[ ] Slice - Gives the character from the given index a[1] will give e
a[-1] will give o
[ : ] Range Slice - Gives the characters from the given range a[1:4] will give ell
in Membership - Returns true if a character exists in the given string ‘H’ in a will give True
Strings
ByTahani Almanie | CSCI 5448
 Common String Methods
Method Description
str.count(sub, beg=
0,end=len(str))
str.isalpha()
str.isdigit()
str.lower()
str.upper()
str.replace(old, new)
str.split(str=‘ ’)
str.strip()
str.title()
Counts how many times sub occurs in string or in a substring of string if
starting index beg and ending index end are given.
Returns True if string has at least 1 character and all characters are
alphanumeric and False otherwise.
Returns True if string contains only digits and False otherwise.
Converts all uppercase letters in string to lowercase.
Converts lowercase letters in string to uppercase.
Replaces all occurrences of old in string with new.
Splits string according to delimiter str (space if not provided)
and returns list of substrings.
Removes all leading and trailing whitespace of string.
Returns "titlecased" version of string.
 Common String Functions str(x) :to convert x to a string
len(string):gives the total length of the string
Lists
ByTahani Almanie | CSCI 5448
 A list in Python is an ordered group of items or elements, and these list elements don't
have to be of the same type.
 Python Lists are mutable objects that can change their values.
 A list contains items separated by commas and enclosed within square brackets.
 List indexes like strings starting at 0 in the beginning of the list and working their way
from -1 at the end.
 Similar to strings, Lists operations include slicing ([ ] and [:]) , concatenation (+),
repetition (*), and membership (in).
 This example shows how to access, update and delete list elements:
 access
 slice
 update
 delete
Lists
ByTahani Almanie | CSCI 5448
 Lists can have sublists as elements and these sublists may contain other sublists
as well.
 Common List Functions
Function Description
cmp(list1, list2) Compares elements of both lists.
len(list) Gives the total length of the list.
max(list) Returns item from the list with max value.
min(list) Returns item from the list with min value.
list(tuple) Converts a tuple into list.
Lists
ByTahani Almanie | CSCI 5448
 Common List Methods
 List Comprehensions
Each list comprehension consists of an expression followed by a for clause.
Method Description
list.append(obj) Appends object obj to list
list.insert(index, obj) Inserts object obj into list at offset index
list.count(obj) Returns count of how many times obj occurs in list
list.index(obj) Returns the lowest index in list that obj appears
list.remove(obj) Removes object obj from list
list.reverse() Reverses objects of list in place
list.sort() Sorts objects of list in place
 List comprehension
Tuples
ByTahani Almanie | CSCI 5448
 Python Tuples are Immutable objects that cannot be changed once they have been
created.
 A tuple contains items separated by commas and enclosed in parentheses instead of
square brackets.
 You can update an existing tuple by (re)assigning a variable to another tuple.
 Tuples are faster than lists and protect your data against accidental changes to these data.
 The rules for tuple indices are the same as for lists and they have the same operations,
functions as well.
 To write a tuple containing a single value, you have to include a comma, even though there
is only one value. e.g. t = (3, )
 access
 No update
Dictionary
ByTahani Almanie | CSCI 5448
 Python's dictionaries are kind of hash table type which consist of key-value pairs
of unordered elements.
• Keys : must be immutable data types ,usually numbers or strings.
• Values : can be any arbitrary Python object.
 Python Dictionaries are mutable objects that can change their values.
 A dictionary is enclosed by curly braces ({ }), the items are separated by commas,
and each key is separated from its value by a colon (:).
 Dictionary’s values can be assigned and accessed using square braces ([]) with a
key to obtain its value.
Dictionary
ByTahani Almanie | CSCI 5448
 This example shows how to access, update and delete dictionary elements:
 The output:
Dictionary
ByTahani Almanie | CSCI 5448
 Common Dictionary Functions
• cmp(dict1, dict2) : compares elements of both dict.
• len(dict) : gives the total number of (key, value) pairs in the dictionary.
 Common Dictionary Methods
Method Description
dict.keys() Returns list of dict's keys
dict.values() Returns list of dict's values
dict.items() Returns a list of dict's (key, value) tuple pairs
dict.get(key, default=None) For key, returns value or default if key not in dict
dict.has_key(key) Returns True if key in dict, False otherwise
dict.update(dict2) Adds dict2's key-values pairs to dict
dict.clear() Removes all elements of dict
Python Control Structures
ByTahani Almanie | CSCI 5448
Conditionals
ByTahani Almanie | CSCI 5448
 In Python, True and False are Boolean objects of class 'bool' and they are immutable.
 Python assumes any non-zero and non-null values as True, otherwise it is False value.
 Python does not provide switch or case statements as in other languages.
 Syntax:
if Statement if..else Statement if..elif..else Statement
 Example:
Conditionals
ByTahani Almanie | CSCI 5448
 Using the conditional expression
Another type of conditional structure in Python, which is very convenient and easy to read.

Loops
ByTahani Almanie | CSCI 5448
 The For Loop
 The while Loop
Loops
ByTahani Almanie | CSCI 5448
Loop Control Statements
 break :Terminates the loop statement and transfers execution to the statement
immediately following the loop.
 continue :Causes the loop to skip the remainder of its body and immediately retest its
condition prior to reiterating.
 pass :Used when a statement is required syntactically but you do not want any
command or code to execute.
Python Functions
ByTahani Almanie | CSCI 5448
Functions
ByTahani Almanie | CSCI 5448
 Function Syntax
 Function Arguments
You can call a function by using any of the following types of arguments:
• Required arguments: the arguments passed to the function in correct
positional order.
• Keyword arguments: the function call identifies the arguments by the
parameter names.
• Default arguments: the argument has a default value in the function
declaration used when the value is not provided in the function call.
Functions
ByTahani Almanie | CSCI 5448
• Variable-length arguments: This used when you need to process unspecified additional
arguments. An asterisk (*) is placed before the variable name in the function declaration.
Python File Handling
ByTahani Almanie | CSCI 5448
File Handling
ByTahani Almanie | CSCI 5448
 File opening fileObject = open(file_name [, access_mode][, buffering])
Common access modes:
• “r” opens a file for reading only.
• “w” opens a file for writing only. Overwrites the file if the file exists.
Otherwise, it creates a new file.
• “a” opens a file for appending. If the file does not exist, it creates a new file
for writing.
 Closing a file fileObject.close()
The close() method flushes any unwritten information and closes the file object.
File Handling
ByTahani Almanie | CSCI 5448
 Reading a file fileObject.read([count])
• The read() method reads the whole file at once.
• The readline() method reads one line each time from the file.
• The readlines() method reads all lines from the file in a list.
 Writing in a file fileObject.write(string)
The write() method writes any string to an open file.
Python Exception Handling
ByTahani Almanie | CSCI 5448
Exception Handling
ByTahani Almanie | CSCI 5448
 Common Exceptions in Python:
NameError - TypeError - IndexError - KeyError - Exception
 Exception Handling Syntax:
 An empty except statement can catch any exception.
 finally clause: always executed before finishing try statements.

Python Modules
ByTahani Almanie | CSCI 5448
Modules
ByTahani Almanie | CSCI 5448
 A module is a file consisting of Python code that can define functions, classes and
variables.
 A module allows you to organize your code by grouping related code which makes the
code easier to understand and use.
 You can use any Python source file as a module by executing an import statement
 Python's from statement lets you import specific attributes from a module into the
current namespace.
 import * statement can be used to import all names from a module into the current
namespace
Python Object Oriented
ByTahani Almanie | CSCI 5448
Python Classes
ByTahani Almanie | CSCI 5448
Output 
 Class variable
 Class constructor
Python Classes
ByTahani Almanie | CSCI 5448
 Built-in class functions
• getattr(obj, name[, default]) : to access the attribute of object.
• hasattr(obj,name) : to check if an attribute exists or not.
• setattr(obj,name,value) : to set an attribute. If attribute does not exist, then it
would be created.
• delattr(obj, name) : to delete an attribute.
 Data Hiding You need to name attributes with a double underscore prefix, and those
attributes then are not be directly visible to outsiders.
Class Inheritance
ByTahani Almanie | CSCI 5448
Python vs. Java
Code Examples
ByTahani Almanie | CSCI 5448
Python vs. Java
ByTahani Almanie | CSCI 5448
 Hello World
 String Operations
Java
Python
Java
Python
Python vs. Java
ByTahani Almanie | CSCI 5448
 Collections
Java
Python
Python vs. Java
ByTahani Almanie | CSCI 5448
 Class and Inheritance
Java
Python

Python Useful Tools
ByTahani Almanie | CSCI 5448
Useful Tools
ByTahani Almanie | CSCI 5448
 Python IDEs
•Vim
•Eclipse with PyDev
•Sublime Text
•Emacs
•Komodo Edit
•PyCharm
Useful Tools
ByTahani Almanie | CSCI 5448
 Python Web Frameworks
•Django
•Flask
•Pylons
•Pyramid
•TurboGears
•Web2py
Who Uses Python?
ByTahani Almanie | CSCI 5448
Organizations Use Python
ByTahani Almanie | CSCI 5448
• Web Development :Google, Yahoo
• Games :Battlefield 2, Crystal Space
• Graphics :Walt Disney Feature Animation, Blender 3D
• Science :National Weather Service, NASA, Applied Maths
• Software Development :Nokia, Red Hat, IBM
• Education :University of California-Irvine, SchoolTool
• Government :The USA Central Intelligence Agency (CIA)
References
ByTahani Almanie | CSCI 5828
[1] Python-course.eu, 'Python3 Tutorial: Python Online Course', 2015. [Online]. Available:
http://www.python-course.eu/python3_course.php.
[2] www.tutorialspoint.com, 'Python tutorial', 2015. [Online]. Available:
http://www.tutorialspoint.com/python/index.htm.
[3] Wikipedia, 'History of Python', 2015. [Online]. Available:
https://en.wikipedia.org/wiki/History_of_Python#Version_release_dates.
[4] Docs.python.org, 'What's New In Python 3.0’, 2015. [Online]. Available:
https://docs.python.org/3/whatsnew/3.0.html.
[5] Sebastianraschka.com, 'Python 2.7.x and Python 3.x key differences', 2015. [Online]. Available:
http://sebastianraschka.com/Articles/2014_python_2_3_key_diff.html.
[6] Programcreek.com, 'Java vs. Python: Why Python can be more productive?', 2015. [Online].
Available: http://www.programcreek.com/2012/04/java-vs-python-why-python-can-be-more-
productive/.
References
ByTahani Almanie | CSCI 5828
[7] Stsdas.stsci.edu, 'A Quick Tour of Python', 2015. [Online]. Available:
http://stsdas.stsci.edu/pyraf/python_quick_tour.html.
[8] Lynda.com - A LinkedIn Company, 'Python 3 Essential Training | Lynda.com Training', 2015.
[Online]. Available: http://www.lynda.com/Python-3-tutorials/essential-training/62226-2.html.
[9] Pymbook.readthedocs.org, 'Welcome to Python for you and me — Python for you and me
0.3.alpha1 documentation', 2015. [Online]. Available:
http://pymbook.readthedocs.org/en/latest/index.html.
[10] Code Geekz, '10 Best Python IDE for Developers | Code Geekz', 2014. [Online]. Available:
https://codegeekz.com/best-python-ide-for-developers/.
[11] K. Radhakrishnan, 'Top 10 Python Powered Web Frameworks For Developers',
Toppersworld.com, 2014. [Online]. Available: http://toppersworld.com/top-10-python-powered-web-
frameworks-for-developers/.
[12] Wiki.python.org, 'OrganizationsUsingPython - Python Wiki', 2015. [Online]. Available:
https://wiki.python.org/moin/OrganizationsUsingPython.
Thank You
ByTahani Almanie | CSCI 5828
https://www.python.org/~guido/images/DO6GvRlo.gif
Ad

More Related Content

What's hot (20)

Introduction to python
Introduction to pythonIntroduction to python
Introduction to python
Ayshwarya Baburam
 
Python Course | Python Programming | Python Tutorial | Python Training | Edureka
Python Course | Python Programming | Python Tutorial | Python Training | EdurekaPython Course | Python Programming | Python Tutorial | Python Training | Edureka
Python Course | Python Programming | Python Tutorial | Python Training | Edureka
Edureka!
 
Introduction to the basics of Python programming (part 1)
Introduction to the basics of Python programming (part 1)Introduction to the basics of Python programming (part 1)
Introduction to the basics of Python programming (part 1)
Pedro Rodrigues
 
Introduction to python
Introduction to pythonIntroduction to python
Introduction to python
AnirudhaGaikwad4
 
Basic Concepts in Python
Basic Concepts in PythonBasic Concepts in Python
Basic Concepts in Python
Sumit Satam
 
Python Basics | Python Tutorial | Edureka
Python Basics | Python Tutorial | EdurekaPython Basics | Python Tutorial | Edureka
Python Basics | Python Tutorial | Edureka
Edureka!
 
Introduction To Python | Edureka
Introduction To Python | EdurekaIntroduction To Python | Edureka
Introduction To Python | Edureka
Edureka!
 
Introduction to Python
Introduction to PythonIntroduction to Python
Introduction to Python
Nowell Strite
 
Chapter 1 - INTRODUCTION TO PYTHON -MAULIK BORSANIYA
Chapter 1 - INTRODUCTION TO PYTHON -MAULIK BORSANIYAChapter 1 - INTRODUCTION TO PYTHON -MAULIK BORSANIYA
Chapter 1 - INTRODUCTION TO PYTHON -MAULIK BORSANIYA
Maulik Borsaniya
 
Python Tutorial Part 1
Python Tutorial Part 1Python Tutorial Part 1
Python Tutorial Part 1
Haitham El-Ghareeb
 
Python PPT
Python PPTPython PPT
Python PPT
Edureka!
 
Python basics
Python basicsPython basics
Python basics
RANAALIMAJEEDRAJPUT
 
Python Presentation
Python PresentationPython Presentation
Python Presentation
Narendra Sisodiya
 
Introduction to python
Introduction to pythonIntroduction to python
Introduction to python
Agung Wahyudi
 
Intro to Python
Intro to PythonIntro to Python
Intro to Python
primeteacher32
 
Python Tutorial Part 2
Python Tutorial Part 2Python Tutorial Part 2
Python Tutorial Part 2
Haitham El-Ghareeb
 
Python Sequence | Python Lists | Python Sets & Dictionary | Python Strings | ...
Python Sequence | Python Lists | Python Sets & Dictionary | Python Strings | ...Python Sequence | Python Lists | Python Sets & Dictionary | Python Strings | ...
Python Sequence | Python Lists | Python Sets & Dictionary | Python Strings | ...
Edureka!
 
Python made easy
Python made easy Python made easy
Python made easy
Abhishek kumar
 
Python OOPs
Python OOPsPython OOPs
Python OOPs
Binay Kumar Ray
 
Basic Python Programming: Part 01 and Part 02
Basic Python Programming: Part 01 and Part 02Basic Python Programming: Part 01 and Part 02
Basic Python Programming: Part 01 and Part 02
Fariz Darari
 
Python Course | Python Programming | Python Tutorial | Python Training | Edureka
Python Course | Python Programming | Python Tutorial | Python Training | EdurekaPython Course | Python Programming | Python Tutorial | Python Training | Edureka
Python Course | Python Programming | Python Tutorial | Python Training | Edureka
Edureka!
 
Introduction to the basics of Python programming (part 1)
Introduction to the basics of Python programming (part 1)Introduction to the basics of Python programming (part 1)
Introduction to the basics of Python programming (part 1)
Pedro Rodrigues
 
Basic Concepts in Python
Basic Concepts in PythonBasic Concepts in Python
Basic Concepts in Python
Sumit Satam
 
Python Basics | Python Tutorial | Edureka
Python Basics | Python Tutorial | EdurekaPython Basics | Python Tutorial | Edureka
Python Basics | Python Tutorial | Edureka
Edureka!
 
Introduction To Python | Edureka
Introduction To Python | EdurekaIntroduction To Python | Edureka
Introduction To Python | Edureka
Edureka!
 
Introduction to Python
Introduction to PythonIntroduction to Python
Introduction to Python
Nowell Strite
 
Chapter 1 - INTRODUCTION TO PYTHON -MAULIK BORSANIYA
Chapter 1 - INTRODUCTION TO PYTHON -MAULIK BORSANIYAChapter 1 - INTRODUCTION TO PYTHON -MAULIK BORSANIYA
Chapter 1 - INTRODUCTION TO PYTHON -MAULIK BORSANIYA
Maulik Borsaniya
 
Python PPT
Python PPTPython PPT
Python PPT
Edureka!
 
Introduction to python
Introduction to pythonIntroduction to python
Introduction to python
Agung Wahyudi
 
Python Sequence | Python Lists | Python Sets & Dictionary | Python Strings | ...
Python Sequence | Python Lists | Python Sets & Dictionary | Python Strings | ...Python Sequence | Python Lists | Python Sets & Dictionary | Python Strings | ...
Python Sequence | Python Lists | Python Sets & Dictionary | Python Strings | ...
Edureka!
 
Basic Python Programming: Part 01 and Part 02
Basic Python Programming: Part 01 and Part 02Basic Python Programming: Part 01 and Part 02
Basic Python Programming: Part 01 and Part 02
Fariz Darari
 

Viewers also liked (20)

《Python 3.5 技術手冊》第二章草稿
《Python 3.5 技術手冊》第二章草稿《Python 3.5 技術手冊》第二章草稿
《Python 3.5 技術手冊》第二章草稿
Justin Lin
 
類別的繼承
類別的繼承類別的繼承
類別的繼承
Justin Lin
 
資料永續與交換
資料永續與交換資料永續與交換
資料永續與交換
Justin Lin
 
流程語法與函式
流程語法與函式流程語法與函式
流程語法與函式
Justin Lin
 
除錯、測試與效能
除錯、測試與效能除錯、測試與效能
除錯、測試與效能
Justin Lin
 
Python Programming Essentials - M22 - File Operations
Python Programming Essentials - M22 - File OperationsPython Programming Essentials - M22 - File Operations
Python Programming Essentials - M22 - File Operations
P3 InfoTech Solutions Pvt. Ltd.
 
Python Programming Essentials - M44 - Overview of Web Development
Python Programming Essentials - M44 - Overview of Web DevelopmentPython Programming Essentials - M44 - Overview of Web Development
Python Programming Essentials - M44 - Overview of Web Development
P3 InfoTech Solutions Pvt. Ltd.
 
Python
PythonPython
Python
Shivam Gupta
 
並行與平行
並行與平行並行與平行
並行與平行
Justin Lin
 
例外處理
例外處理例外處理
例外處理
Justin Lin
 
從 REPL 到 IDE
從 REPL 到 IDE從 REPL 到 IDE
從 REPL 到 IDE
Justin Lin
 
從模組到類別
從模組到類別從模組到類別
從模組到類別
Justin Lin
 
open() 與 io 模組
open() 與 io 模組open() 與 io 模組
open() 與 io 模組
Justin Lin
 
資料結構
資料結構資料結構
資料結構
Justin Lin
 
PyCon Taiwan 2013 Tutorial
PyCon Taiwan 2013 TutorialPyCon Taiwan 2013 Tutorial
PyCon Taiwan 2013 Tutorial
Justin Lin
 
3D 之邏輯與美感交會 - OpenSCAD
3D 之邏輯與美感交會 - OpenSCAD3D 之邏輯與美感交會 - OpenSCAD
3D 之邏輯與美感交會 - OpenSCAD
Justin Lin
 
網站系統安全及資料保護設計認知
網站系統安全及資料保護設計認知網站系統安全及資料保護設計認知
網站系統安全及資料保護設計認知
Justin Lin
 
進階主題
進階主題進階主題
進階主題
Justin Lin
 
型態與運算子
型態與運算子型態與運算子
型態與運算子
Justin Lin
 
常用內建模組
常用內建模組常用內建模組
常用內建模組
Justin Lin
 
《Python 3.5 技術手冊》第二章草稿
《Python 3.5 技術手冊》第二章草稿《Python 3.5 技術手冊》第二章草稿
《Python 3.5 技術手冊》第二章草稿
Justin Lin
 
類別的繼承
類別的繼承類別的繼承
類別的繼承
Justin Lin
 
資料永續與交換
資料永續與交換資料永續與交換
資料永續與交換
Justin Lin
 
流程語法與函式
流程語法與函式流程語法與函式
流程語法與函式
Justin Lin
 
除錯、測試與效能
除錯、測試與效能除錯、測試與效能
除錯、測試與效能
Justin Lin
 
Python Programming Essentials - M44 - Overview of Web Development
Python Programming Essentials - M44 - Overview of Web DevelopmentPython Programming Essentials - M44 - Overview of Web Development
Python Programming Essentials - M44 - Overview of Web Development
P3 InfoTech Solutions Pvt. Ltd.
 
並行與平行
並行與平行並行與平行
並行與平行
Justin Lin
 
從 REPL 到 IDE
從 REPL 到 IDE從 REPL 到 IDE
從 REPL 到 IDE
Justin Lin
 
從模組到類別
從模組到類別從模組到類別
從模組到類別
Justin Lin
 
open() 與 io 模組
open() 與 io 模組open() 與 io 模組
open() 與 io 模組
Justin Lin
 
PyCon Taiwan 2013 Tutorial
PyCon Taiwan 2013 TutorialPyCon Taiwan 2013 Tutorial
PyCon Taiwan 2013 Tutorial
Justin Lin
 
3D 之邏輯與美感交會 - OpenSCAD
3D 之邏輯與美感交會 - OpenSCAD3D 之邏輯與美感交會 - OpenSCAD
3D 之邏輯與美感交會 - OpenSCAD
Justin Lin
 
網站系統安全及資料保護設計認知
網站系統安全及資料保護設計認知網站系統安全及資料保護設計認知
網站系統安全及資料保護設計認知
Justin Lin
 
型態與運算子
型態與運算子型態與運算子
型態與運算子
Justin Lin
 
常用內建模組
常用內建模組常用內建模組
常用內建模組
Justin Lin
 
Ad

Similar to Python 3 Programming Language (20)

Introduction to Python for Data Science and Machine Learning
Introduction to Python for Data Science and Machine Learning Introduction to Python for Data Science and Machine Learning
Introduction to Python for Data Science and Machine Learning
ParrotAI
 
Python 3.x quick syntax guide
Python 3.x quick syntax guidePython 3.x quick syntax guide
Python 3.x quick syntax guide
Universiti Technologi Malaysia (UTM)
 
Python (Data Analysis) cleaning and visualize
Python (Data Analysis) cleaning and visualizePython (Data Analysis) cleaning and visualize
Python (Data Analysis) cleaning and visualize
IruolagbePius
 
Python_Unit_1.pdf
Python_Unit_1.pdfPython_Unit_1.pdf
Python_Unit_1.pdf
alaparthi
 
Python interview questions and answers
Python interview questions and answersPython interview questions and answers
Python interview questions and answers
kavinilavuG
 
Python interview questions and answers
Python interview questions and answersPython interview questions and answers
Python interview questions and answers
RojaPriya
 
Introduction to phyton , important topic
Introduction to phyton , important topicIntroduction to phyton , important topic
Introduction to phyton , important topic
akpgenious67
 
Python - Module 1.ppt
Python - Module 1.pptPython - Module 1.ppt
Python - Module 1.ppt
jaba kumar
 
1-Introduction to Python, features of python, history of python(1).pptx
1-Introduction to Python, features of python, history of python(1).pptx1-Introduction to Python, features of python, history of python(1).pptx
1-Introduction to Python, features of python, history of python(1).pptx
MAHESWARIS55
 
PYTHON PPT.pptx python is very useful for day to day life
PYTHON PPT.pptx python is very useful for day to day lifePYTHON PPT.pptx python is very useful for day to day life
PYTHON PPT.pptx python is very useful for day to day life
NaitikSingh33
 
Introduction on basic python and it's application
Introduction on basic python and it's applicationIntroduction on basic python and it's application
Introduction on basic python and it's application
sriram2110
 
lakshya's ppt python for final final.pptx
lakshya's ppt python for final final.pptxlakshya's ppt python for final final.pptx
lakshya's ppt python for final final.pptx
krishan123sharma123
 
Chapter - 2.pptx
Chapter - 2.pptxChapter - 2.pptx
Chapter - 2.pptx
MikialeTesfamariam
 
Python basics
Python basicsPython basics
Python basics
Manisha Gholve
 
AI_2nd Lab.pptx
AI_2nd Lab.pptxAI_2nd Lab.pptx
AI_2nd Lab.pptx
MohammedAlYemeni1
 
Python Interview Questions PDF By ScholarHat.pdf
Python Interview Questions PDF By ScholarHat.pdfPython Interview Questions PDF By ScholarHat.pdf
Python Interview Questions PDF By ScholarHat.pdf
Scholarhat
 
1. python programming
1. python programming1. python programming
1. python programming
sreeLekha51
 
python ppt | Python Course In Ghaziabad | Scode Network Institute
python ppt | Python Course In Ghaziabad | Scode Network Institutepython ppt | Python Course In Ghaziabad | Scode Network Institute
python ppt | Python Course In Ghaziabad | Scode Network Institute
Scode Network Institute
 
Introduction To Programming with Python-3
Introduction To Programming with Python-3Introduction To Programming with Python-3
Introduction To Programming with Python-3
Syed Farjad Zia Zaidi
 
Python 3.pptx
Python 3.pptxPython 3.pptx
Python 3.pptx
HarishParthasarathy4
 
Introduction to Python for Data Science and Machine Learning
Introduction to Python for Data Science and Machine Learning Introduction to Python for Data Science and Machine Learning
Introduction to Python for Data Science and Machine Learning
ParrotAI
 
Python (Data Analysis) cleaning and visualize
Python (Data Analysis) cleaning and visualizePython (Data Analysis) cleaning and visualize
Python (Data Analysis) cleaning and visualize
IruolagbePius
 
Python_Unit_1.pdf
Python_Unit_1.pdfPython_Unit_1.pdf
Python_Unit_1.pdf
alaparthi
 
Python interview questions and answers
Python interview questions and answersPython interview questions and answers
Python interview questions and answers
kavinilavuG
 
Python interview questions and answers
Python interview questions and answersPython interview questions and answers
Python interview questions and answers
RojaPriya
 
Introduction to phyton , important topic
Introduction to phyton , important topicIntroduction to phyton , important topic
Introduction to phyton , important topic
akpgenious67
 
Python - Module 1.ppt
Python - Module 1.pptPython - Module 1.ppt
Python - Module 1.ppt
jaba kumar
 
1-Introduction to Python, features of python, history of python(1).pptx
1-Introduction to Python, features of python, history of python(1).pptx1-Introduction to Python, features of python, history of python(1).pptx
1-Introduction to Python, features of python, history of python(1).pptx
MAHESWARIS55
 
PYTHON PPT.pptx python is very useful for day to day life
PYTHON PPT.pptx python is very useful for day to day lifePYTHON PPT.pptx python is very useful for day to day life
PYTHON PPT.pptx python is very useful for day to day life
NaitikSingh33
 
Introduction on basic python and it's application
Introduction on basic python and it's applicationIntroduction on basic python and it's application
Introduction on basic python and it's application
sriram2110
 
lakshya's ppt python for final final.pptx
lakshya's ppt python for final final.pptxlakshya's ppt python for final final.pptx
lakshya's ppt python for final final.pptx
krishan123sharma123
 
Python Interview Questions PDF By ScholarHat.pdf
Python Interview Questions PDF By ScholarHat.pdfPython Interview Questions PDF By ScholarHat.pdf
Python Interview Questions PDF By ScholarHat.pdf
Scholarhat
 
1. python programming
1. python programming1. python programming
1. python programming
sreeLekha51
 
python ppt | Python Course In Ghaziabad | Scode Network Institute
python ppt | Python Course In Ghaziabad | Scode Network Institutepython ppt | Python Course In Ghaziabad | Scode Network Institute
python ppt | Python Course In Ghaziabad | Scode Network Institute
Scode Network Institute
 
Introduction To Programming with Python-3
Introduction To Programming with Python-3Introduction To Programming with Python-3
Introduction To Programming with Python-3
Syed Farjad Zia Zaidi
 
Ad

Recently uploaded (20)

Unit 4: Long term- Capital budgeting and its types
Unit 4: Long term- Capital budgeting and its typesUnit 4: Long term- Capital budgeting and its types
Unit 4: Long term- Capital budgeting and its types
bharath321164
 
GDGLSPGCOER - Git and GitHub Workshop.pptx
GDGLSPGCOER - Git and GitHub Workshop.pptxGDGLSPGCOER - Git and GitHub Workshop.pptx
GDGLSPGCOER - Git and GitHub Workshop.pptx
azeenhodekar
 
Operations Management (Dr. Abdulfatah Salem).pdf
Operations Management (Dr. Abdulfatah Salem).pdfOperations Management (Dr. Abdulfatah Salem).pdf
Operations Management (Dr. Abdulfatah Salem).pdf
Arab Academy for Science, Technology and Maritime Transport
 
Presentation on Tourism Product Development By Md Shaifullar Rabbi
Presentation on Tourism Product Development By Md Shaifullar RabbiPresentation on Tourism Product Development By Md Shaifullar Rabbi
Presentation on Tourism Product Development By Md Shaifullar Rabbi
Md Shaifullar Rabbi
 
K12 Tableau Tuesday - Algebra Equity and Access in Atlanta Public Schools
K12 Tableau Tuesday  - Algebra Equity and Access in Atlanta Public SchoolsK12 Tableau Tuesday  - Algebra Equity and Access in Atlanta Public Schools
K12 Tableau Tuesday - Algebra Equity and Access in Atlanta Public Schools
dogden2
 
Michelle Rumley & Mairéad Mooney, Boole Library, University College Cork. Tra...
Michelle Rumley & Mairéad Mooney, Boole Library, University College Cork. Tra...Michelle Rumley & Mairéad Mooney, Boole Library, University College Cork. Tra...
Michelle Rumley & Mairéad Mooney, Boole Library, University College Cork. Tra...
Library Association of Ireland
 
YSPH VMOC Special Report - Measles Outbreak Southwest US 4-30-2025.pptx
YSPH VMOC Special Report - Measles Outbreak  Southwest US 4-30-2025.pptxYSPH VMOC Special Report - Measles Outbreak  Southwest US 4-30-2025.pptx
YSPH VMOC Special Report - Measles Outbreak Southwest US 4-30-2025.pptx
Yale School of Public Health - The Virtual Medical Operations Center (VMOC)
 
New Microsoft PowerPoint Presentation.pptx
New Microsoft PowerPoint Presentation.pptxNew Microsoft PowerPoint Presentation.pptx
New Microsoft PowerPoint Presentation.pptx
milanasargsyan5
 
Niamh Lucey, Mary Dunne. Health Sciences Libraries Group (LAI). Lighting the ...
Niamh Lucey, Mary Dunne. Health Sciences Libraries Group (LAI). Lighting the ...Niamh Lucey, Mary Dunne. Health Sciences Libraries Group (LAI). Lighting the ...
Niamh Lucey, Mary Dunne. Health Sciences Libraries Group (LAI). Lighting the ...
Library Association of Ireland
 
Quality Contril Analysis of Containers.pdf
Quality Contril Analysis of Containers.pdfQuality Contril Analysis of Containers.pdf
Quality Contril Analysis of Containers.pdf
Dr. Bindiya Chauhan
 
Timber Pitch Roof Construction Measurement-2024.pptx
Timber Pitch Roof Construction Measurement-2024.pptxTimber Pitch Roof Construction Measurement-2024.pptx
Timber Pitch Roof Construction Measurement-2024.pptx
Tantish QS, UTM
 
Understanding P–N Junction Semiconductors: A Beginner’s Guide
Understanding P–N Junction Semiconductors: A Beginner’s GuideUnderstanding P–N Junction Semiconductors: A Beginner’s Guide
Understanding P–N Junction Semiconductors: A Beginner’s Guide
GS Virdi
 
Exploring-Substances-Acidic-Basic-and-Neutral.pdf
Exploring-Substances-Acidic-Basic-and-Neutral.pdfExploring-Substances-Acidic-Basic-and-Neutral.pdf
Exploring-Substances-Acidic-Basic-and-Neutral.pdf
Sandeep Swamy
 
Marie Boran Special Collections Librarian Hardiman Library, University of Gal...
Marie Boran Special Collections Librarian Hardiman Library, University of Gal...Marie Boran Special Collections Librarian Hardiman Library, University of Gal...
Marie Boran Special Collections Librarian Hardiman Library, University of Gal...
Library Association of Ireland
 
CBSE - Grade 8 - Science - Chemistry - Metals and Non Metals - Worksheet
CBSE - Grade 8 - Science - Chemistry - Metals and Non Metals - WorksheetCBSE - Grade 8 - Science - Chemistry - Metals and Non Metals - Worksheet
CBSE - Grade 8 - Science - Chemistry - Metals and Non Metals - Worksheet
Sritoma Majumder
 
Social Problem-Unemployment .pptx notes for Physiotherapy Students
Social Problem-Unemployment .pptx notes for Physiotherapy StudentsSocial Problem-Unemployment .pptx notes for Physiotherapy Students
Social Problem-Unemployment .pptx notes for Physiotherapy Students
DrNidhiAgarwal
 
Introduction to Vibe Coding and Vibe Engineering
Introduction to Vibe Coding and Vibe EngineeringIntroduction to Vibe Coding and Vibe Engineering
Introduction to Vibe Coding and Vibe Engineering
Damian T. Gordon
 
To study the nervous system of insect.pptx
To study the nervous system of insect.pptxTo study the nervous system of insect.pptx
To study the nervous system of insect.pptx
Arshad Shaikh
 
SPRING FESTIVITIES - UK AND USA -
SPRING FESTIVITIES - UK AND USA            -SPRING FESTIVITIES - UK AND USA            -
SPRING FESTIVITIES - UK AND USA -
Colégio Santa Teresinha
 
Multi-currency in odoo accounting and Update exchange rates automatically in ...
Multi-currency in odoo accounting and Update exchange rates automatically in ...Multi-currency in odoo accounting and Update exchange rates automatically in ...
Multi-currency in odoo accounting and Update exchange rates automatically in ...
Celine George
 
Unit 4: Long term- Capital budgeting and its types
Unit 4: Long term- Capital budgeting and its typesUnit 4: Long term- Capital budgeting and its types
Unit 4: Long term- Capital budgeting and its types
bharath321164
 
GDGLSPGCOER - Git and GitHub Workshop.pptx
GDGLSPGCOER - Git and GitHub Workshop.pptxGDGLSPGCOER - Git and GitHub Workshop.pptx
GDGLSPGCOER - Git and GitHub Workshop.pptx
azeenhodekar
 
Presentation on Tourism Product Development By Md Shaifullar Rabbi
Presentation on Tourism Product Development By Md Shaifullar RabbiPresentation on Tourism Product Development By Md Shaifullar Rabbi
Presentation on Tourism Product Development By Md Shaifullar Rabbi
Md Shaifullar Rabbi
 
K12 Tableau Tuesday - Algebra Equity and Access in Atlanta Public Schools
K12 Tableau Tuesday  - Algebra Equity and Access in Atlanta Public SchoolsK12 Tableau Tuesday  - Algebra Equity and Access in Atlanta Public Schools
K12 Tableau Tuesday - Algebra Equity and Access in Atlanta Public Schools
dogden2
 
Michelle Rumley & Mairéad Mooney, Boole Library, University College Cork. Tra...
Michelle Rumley & Mairéad Mooney, Boole Library, University College Cork. Tra...Michelle Rumley & Mairéad Mooney, Boole Library, University College Cork. Tra...
Michelle Rumley & Mairéad Mooney, Boole Library, University College Cork. Tra...
Library Association of Ireland
 
New Microsoft PowerPoint Presentation.pptx
New Microsoft PowerPoint Presentation.pptxNew Microsoft PowerPoint Presentation.pptx
New Microsoft PowerPoint Presentation.pptx
milanasargsyan5
 
Niamh Lucey, Mary Dunne. Health Sciences Libraries Group (LAI). Lighting the ...
Niamh Lucey, Mary Dunne. Health Sciences Libraries Group (LAI). Lighting the ...Niamh Lucey, Mary Dunne. Health Sciences Libraries Group (LAI). Lighting the ...
Niamh Lucey, Mary Dunne. Health Sciences Libraries Group (LAI). Lighting the ...
Library Association of Ireland
 
Quality Contril Analysis of Containers.pdf
Quality Contril Analysis of Containers.pdfQuality Contril Analysis of Containers.pdf
Quality Contril Analysis of Containers.pdf
Dr. Bindiya Chauhan
 
Timber Pitch Roof Construction Measurement-2024.pptx
Timber Pitch Roof Construction Measurement-2024.pptxTimber Pitch Roof Construction Measurement-2024.pptx
Timber Pitch Roof Construction Measurement-2024.pptx
Tantish QS, UTM
 
Understanding P–N Junction Semiconductors: A Beginner’s Guide
Understanding P–N Junction Semiconductors: A Beginner’s GuideUnderstanding P–N Junction Semiconductors: A Beginner’s Guide
Understanding P–N Junction Semiconductors: A Beginner’s Guide
GS Virdi
 
Exploring-Substances-Acidic-Basic-and-Neutral.pdf
Exploring-Substances-Acidic-Basic-and-Neutral.pdfExploring-Substances-Acidic-Basic-and-Neutral.pdf
Exploring-Substances-Acidic-Basic-and-Neutral.pdf
Sandeep Swamy
 
Marie Boran Special Collections Librarian Hardiman Library, University of Gal...
Marie Boran Special Collections Librarian Hardiman Library, University of Gal...Marie Boran Special Collections Librarian Hardiman Library, University of Gal...
Marie Boran Special Collections Librarian Hardiman Library, University of Gal...
Library Association of Ireland
 
CBSE - Grade 8 - Science - Chemistry - Metals and Non Metals - Worksheet
CBSE - Grade 8 - Science - Chemistry - Metals and Non Metals - WorksheetCBSE - Grade 8 - Science - Chemistry - Metals and Non Metals - Worksheet
CBSE - Grade 8 - Science - Chemistry - Metals and Non Metals - Worksheet
Sritoma Majumder
 
Social Problem-Unemployment .pptx notes for Physiotherapy Students
Social Problem-Unemployment .pptx notes for Physiotherapy StudentsSocial Problem-Unemployment .pptx notes for Physiotherapy Students
Social Problem-Unemployment .pptx notes for Physiotherapy Students
DrNidhiAgarwal
 
Introduction to Vibe Coding and Vibe Engineering
Introduction to Vibe Coding and Vibe EngineeringIntroduction to Vibe Coding and Vibe Engineering
Introduction to Vibe Coding and Vibe Engineering
Damian T. Gordon
 
To study the nervous system of insect.pptx
To study the nervous system of insect.pptxTo study the nervous system of insect.pptx
To study the nervous system of insect.pptx
Arshad Shaikh
 
Multi-currency in odoo accounting and Update exchange rates automatically in ...
Multi-currency in odoo accounting and Update exchange rates automatically in ...Multi-currency in odoo accounting and Update exchange rates automatically in ...
Multi-currency in odoo accounting and Update exchange rates automatically in ...
Celine George
 

Python 3 Programming Language

  • 1. Python3 Programming Language Tahani Almanie CSCI 5448| Fall 2015 https://upload.wikimedia.org/wikipedia/commons/c/c3/Python-logo-notext.svg
  • 2. Presentation Outline ByTahani Almanie | CSCI 5448 Python Overview Python Data Types Python Control Structures Python Inputoutput Python Functions Python File Handling Python Exception Handling Python Modules Python Classes Python vs. Java Examples Python Useful Tools Who uses Python?
  • 4. What is Python? ByTahani Almanie | CSCI 5448 Python is a high-level programming language which is:  Interpreted: Python is processed at runtime by the interpreter.  Interactive: You can use a Python prompt and interact with the interpreter directly to write your programs.  Object-Oriented: Python supports Object-Oriented technique of programming.  Beginner’s Language: Python is a great language for the beginner-level programmers and supports the development of a wide range of applications.
  • 5. History of Python ByTahani Almanie | CSCI 5448  Python was conceptualized by Guido Van Rossum in the late 1980s.  Rossum published the first version of Python code (0.9.0) in February 1991 at the CWI (Centrum Wiskunde & Informatica) in the Netherlands , Amsterdam.  Python is derived from ABC programming language, which is a general-purpose programming language that had been developed at the CWI.  Rossum chose the name "Python", since he was a big fan of Monty Python's Flying Circus.  Python is now maintained by a core development team at the institute, although Rossum still holds a vital role in directing its progress. https://en.wikipedia.org/wiki/Guido_van_Rossum#/media/File:Guido_van_Rossum_OSCON_2006.jpg
  • 6. Python Versions ByTahani Almanie | CSCI 5448 Release dates for the major and minor versions: Python 1.0 - January 1994  Python 1.5 - December 31, 1997  Python 1.6 - September 5, 2000 Python 2.0 - October 16, 2000  Python 2.1 - April 17, 2001  Python 2.2 - December 21, 2001  Python 2.3 - July 29, 2003  Python 2.4 - November 30, 2004  Python 2.5 - September 19, 2006  Python 2.6 - October 1, 2008  Python 2.7 - July 3, 2010
  • 7. Python Versions ByTahani Almanie | CSCI 5448 Release dates for the major and minor versions: Python 3.0 - December 3, 2008  Python 3.1 - June 27, 2009  Python 3.2 - February 20, 2011  Python 3.3 - September 29, 2012  Python 3.4 - March 16, 2014  Python 3.5 - September 13, 2015
  • 8. Key Changes in Python 3.0 ByTahani Almanie | CSCI 5448  Python 2's print statement has been replaced by the print() function.  There is only one integer type left, int.  Some methods such as map() and filter( ) return iterator objects in Python 3 instead of lists in Python 2.  In Python 3, a TypeError is raised as warning if we try to compare unorderable types. e.g. 1 < ’ ', 0 > None are no longer valid  Python 3 provides Unicode (utf-8) strings while Python 2 has ASCII str( ) types and separate unicode( ).  A new built-in string formatting method format() replaces the % string formatting operator. Old: New:
  • 9. Key Changes in Python 3.0 ByTahani Almanie | CSCI 5448  In Python 3, we should enclose the exception argument in parentheses.  In Python 3, we have to use the as keyword now in the handling of exceptions.  The division of two integers returns a float instead of an integer. "//" can be used to have the "old" behavior. Old: Old: New: New:
  • 10. Python Features ByTahani Almanie | CSCI 5448  Easy to learn, easy to read and easy to maintain.  Portable: It can run on various hardware platforms and has the same interface on all platforms.  Extendable: You can add low-level modules to the Python interpreter.  Scalable: Python provides a good structure and support for large programs.  Python has support for an interactive mode of testing and debugging.  Python has a broad standard library cross-platform.  Everything in Python is an object: variables, functions, even code. Every object has an ID, a type, and a value.
  • 11. More Features .. ByTahani Almanie | CSCI 5448  Python provides interfaces to all major commercial databases.  Python supports functional and structured programming methods as well as OOP.  Python provides very high-level dynamic data types and supports dynamic type checking.  Python supports GUI applications  Python supports automatic garbage collection.  Python can be easily integrated with C, C++, and Java.
  • 13. Basic Syntax ByTahani Almanie | CSCI 5448  Indentation is used in Python to delimit blocks. The number of spaces is variable, but all statements within the same block must be indented the same amount.  The header line for compound statements, such as if, while, def, and class should be terminated with a colon ( : )  The semicolon ( ; ) is optional at the end of statement.  Printing to the Screen:  Reading Keyboard Input:  Comments •Single line: •Multiple lines:  Python files have extension .py Error!
  • 14. Variables ByTahani Almanie | CSCI 5448  Python is dynamically typed. You do not need to declare variables!  The declaration happens automatically when you assign a value to a variable.  Variables can change type, simply by assigning them a new value of a different type.  Python allows you to assign a single value to several variables simultaneously.  You can also assign multiple objects to multiple variables.
  • 15. Python Data Types ByTahani Almanie | CSCI 5448
  • 16. Numbers ByTahani Almanie | CSCI 5448  Numbers are Immutable objects in Python that cannot change their values.  There are three built-in data types for numbers in Python3: • Integer (int) • Floating-point numbers (float) • Complex numbers: <real part> + <imaginary part>j (not used much in Python programming)  Common Number Functions Function Description int(x) to convert x to an integer float(x) to convert x to a floating-point number abs(x) The absolute value of x cmp(x,y) -1 if x < y, 0 if x == y, or 1 if x > y exp(x) The exponential of x: ex log(x) The natural logarithm of x, for x> 0 pow(x,y) The value of x**y sqrt(x) The square root of x for x > 0
  • 17. Strings ByTahani Almanie | CSCI 5448  Python Strings are Immutable objects that cannot change their values.  You can update an existing string by (re)assigning a variable to another string.  Python does not support a character type; these are treated as strings of length one.  Python accepts single ('), double (") and triple (''' or """) quotes to denote string literals.  String indexes starting at 0 in the beginning of the string and working their way from -1 at the end.
  • 18. Strings ByTahani Almanie | CSCI 5448  String Formatting  Common String Operators Assume string variable a holds 'Hello' and variable b holds 'Python’ Operator Description Example + Concatenation - Adds values on either side of the operator a + b will give HelloPython * Repetition - Creates new strings, concatenating multiple copies of the same string a*2 will give HelloHello [ ] Slice - Gives the character from the given index a[1] will give e a[-1] will give o [ : ] Range Slice - Gives the characters from the given range a[1:4] will give ell in Membership - Returns true if a character exists in the given string ‘H’ in a will give True
  • 19. Strings ByTahani Almanie | CSCI 5448  Common String Methods Method Description str.count(sub, beg= 0,end=len(str)) str.isalpha() str.isdigit() str.lower() str.upper() str.replace(old, new) str.split(str=‘ ’) str.strip() str.title() Counts how many times sub occurs in string or in a substring of string if starting index beg and ending index end are given. Returns True if string has at least 1 character and all characters are alphanumeric and False otherwise. Returns True if string contains only digits and False otherwise. Converts all uppercase letters in string to lowercase. Converts lowercase letters in string to uppercase. Replaces all occurrences of old in string with new. Splits string according to delimiter str (space if not provided) and returns list of substrings. Removes all leading and trailing whitespace of string. Returns "titlecased" version of string.  Common String Functions str(x) :to convert x to a string len(string):gives the total length of the string
  • 20. Lists ByTahani Almanie | CSCI 5448  A list in Python is an ordered group of items or elements, and these list elements don't have to be of the same type.  Python Lists are mutable objects that can change their values.  A list contains items separated by commas and enclosed within square brackets.  List indexes like strings starting at 0 in the beginning of the list and working their way from -1 at the end.  Similar to strings, Lists operations include slicing ([ ] and [:]) , concatenation (+), repetition (*), and membership (in).  This example shows how to access, update and delete list elements:  access  slice  update  delete
  • 21. Lists ByTahani Almanie | CSCI 5448  Lists can have sublists as elements and these sublists may contain other sublists as well.  Common List Functions Function Description cmp(list1, list2) Compares elements of both lists. len(list) Gives the total length of the list. max(list) Returns item from the list with max value. min(list) Returns item from the list with min value. list(tuple) Converts a tuple into list.
  • 22. Lists ByTahani Almanie | CSCI 5448  Common List Methods  List Comprehensions Each list comprehension consists of an expression followed by a for clause. Method Description list.append(obj) Appends object obj to list list.insert(index, obj) Inserts object obj into list at offset index list.count(obj) Returns count of how many times obj occurs in list list.index(obj) Returns the lowest index in list that obj appears list.remove(obj) Removes object obj from list list.reverse() Reverses objects of list in place list.sort() Sorts objects of list in place  List comprehension
  • 23. Tuples ByTahani Almanie | CSCI 5448  Python Tuples are Immutable objects that cannot be changed once they have been created.  A tuple contains items separated by commas and enclosed in parentheses instead of square brackets.  You can update an existing tuple by (re)assigning a variable to another tuple.  Tuples are faster than lists and protect your data against accidental changes to these data.  The rules for tuple indices are the same as for lists and they have the same operations, functions as well.  To write a tuple containing a single value, you have to include a comma, even though there is only one value. e.g. t = (3, )  access  No update
  • 24. Dictionary ByTahani Almanie | CSCI 5448  Python's dictionaries are kind of hash table type which consist of key-value pairs of unordered elements. • Keys : must be immutable data types ,usually numbers or strings. • Values : can be any arbitrary Python object.  Python Dictionaries are mutable objects that can change their values.  A dictionary is enclosed by curly braces ({ }), the items are separated by commas, and each key is separated from its value by a colon (:).  Dictionary’s values can be assigned and accessed using square braces ([]) with a key to obtain its value.
  • 25. Dictionary ByTahani Almanie | CSCI 5448  This example shows how to access, update and delete dictionary elements:  The output:
  • 26. Dictionary ByTahani Almanie | CSCI 5448  Common Dictionary Functions • cmp(dict1, dict2) : compares elements of both dict. • len(dict) : gives the total number of (key, value) pairs in the dictionary.  Common Dictionary Methods Method Description dict.keys() Returns list of dict's keys dict.values() Returns list of dict's values dict.items() Returns a list of dict's (key, value) tuple pairs dict.get(key, default=None) For key, returns value or default if key not in dict dict.has_key(key) Returns True if key in dict, False otherwise dict.update(dict2) Adds dict2's key-values pairs to dict dict.clear() Removes all elements of dict
  • 27. Python Control Structures ByTahani Almanie | CSCI 5448
  • 28. Conditionals ByTahani Almanie | CSCI 5448  In Python, True and False are Boolean objects of class 'bool' and they are immutable.  Python assumes any non-zero and non-null values as True, otherwise it is False value.  Python does not provide switch or case statements as in other languages.  Syntax: if Statement if..else Statement if..elif..else Statement  Example:
  • 29. Conditionals ByTahani Almanie | CSCI 5448  Using the conditional expression Another type of conditional structure in Python, which is very convenient and easy to read. 
  • 30. Loops ByTahani Almanie | CSCI 5448  The For Loop  The while Loop
  • 31. Loops ByTahani Almanie | CSCI 5448 Loop Control Statements  break :Terminates the loop statement and transfers execution to the statement immediately following the loop.  continue :Causes the loop to skip the remainder of its body and immediately retest its condition prior to reiterating.  pass :Used when a statement is required syntactically but you do not want any command or code to execute.
  • 33. Functions ByTahani Almanie | CSCI 5448  Function Syntax  Function Arguments You can call a function by using any of the following types of arguments: • Required arguments: the arguments passed to the function in correct positional order. • Keyword arguments: the function call identifies the arguments by the parameter names. • Default arguments: the argument has a default value in the function declaration used when the value is not provided in the function call.
  • 34. Functions ByTahani Almanie | CSCI 5448 • Variable-length arguments: This used when you need to process unspecified additional arguments. An asterisk (*) is placed before the variable name in the function declaration.
  • 35. Python File Handling ByTahani Almanie | CSCI 5448
  • 36. File Handling ByTahani Almanie | CSCI 5448  File opening fileObject = open(file_name [, access_mode][, buffering]) Common access modes: • “r” opens a file for reading only. • “w” opens a file for writing only. Overwrites the file if the file exists. Otherwise, it creates a new file. • “a” opens a file for appending. If the file does not exist, it creates a new file for writing.  Closing a file fileObject.close() The close() method flushes any unwritten information and closes the file object.
  • 37. File Handling ByTahani Almanie | CSCI 5448  Reading a file fileObject.read([count]) • The read() method reads the whole file at once. • The readline() method reads one line each time from the file. • The readlines() method reads all lines from the file in a list.  Writing in a file fileObject.write(string) The write() method writes any string to an open file.
  • 38. Python Exception Handling ByTahani Almanie | CSCI 5448
  • 39. Exception Handling ByTahani Almanie | CSCI 5448  Common Exceptions in Python: NameError - TypeError - IndexError - KeyError - Exception  Exception Handling Syntax:  An empty except statement can catch any exception.  finally clause: always executed before finishing try statements. 
  • 41. Modules ByTahani Almanie | CSCI 5448  A module is a file consisting of Python code that can define functions, classes and variables.  A module allows you to organize your code by grouping related code which makes the code easier to understand and use.  You can use any Python source file as a module by executing an import statement  Python's from statement lets you import specific attributes from a module into the current namespace.  import * statement can be used to import all names from a module into the current namespace
  • 42. Python Object Oriented ByTahani Almanie | CSCI 5448
  • 43. Python Classes ByTahani Almanie | CSCI 5448 Output   Class variable  Class constructor
  • 44. Python Classes ByTahani Almanie | CSCI 5448  Built-in class functions • getattr(obj, name[, default]) : to access the attribute of object. • hasattr(obj,name) : to check if an attribute exists or not. • setattr(obj,name,value) : to set an attribute. If attribute does not exist, then it would be created. • delattr(obj, name) : to delete an attribute.  Data Hiding You need to name attributes with a double underscore prefix, and those attributes then are not be directly visible to outsiders.
  • 46. Python vs. Java Code Examples ByTahani Almanie | CSCI 5448
  • 47. Python vs. Java ByTahani Almanie | CSCI 5448  Hello World  String Operations Java Python Java Python
  • 48. Python vs. Java ByTahani Almanie | CSCI 5448  Collections Java Python
  • 49. Python vs. Java ByTahani Almanie | CSCI 5448  Class and Inheritance Java Python 
  • 50. Python Useful Tools ByTahani Almanie | CSCI 5448
  • 51. Useful Tools ByTahani Almanie | CSCI 5448  Python IDEs •Vim •Eclipse with PyDev •Sublime Text •Emacs •Komodo Edit •PyCharm
  • 52. Useful Tools ByTahani Almanie | CSCI 5448  Python Web Frameworks •Django •Flask •Pylons •Pyramid •TurboGears •Web2py
  • 53. Who Uses Python? ByTahani Almanie | CSCI 5448
  • 54. Organizations Use Python ByTahani Almanie | CSCI 5448 • Web Development :Google, Yahoo • Games :Battlefield 2, Crystal Space • Graphics :Walt Disney Feature Animation, Blender 3D • Science :National Weather Service, NASA, Applied Maths • Software Development :Nokia, Red Hat, IBM • Education :University of California-Irvine, SchoolTool • Government :The USA Central Intelligence Agency (CIA)
  • 55. References ByTahani Almanie | CSCI 5828 [1] Python-course.eu, 'Python3 Tutorial: Python Online Course', 2015. [Online]. Available: http://www.python-course.eu/python3_course.php. [2] www.tutorialspoint.com, 'Python tutorial', 2015. [Online]. Available: http://www.tutorialspoint.com/python/index.htm. [3] Wikipedia, 'History of Python', 2015. [Online]. Available: https://en.wikipedia.org/wiki/History_of_Python#Version_release_dates. [4] Docs.python.org, 'What's New In Python 3.0’, 2015. [Online]. Available: https://docs.python.org/3/whatsnew/3.0.html. [5] Sebastianraschka.com, 'Python 2.7.x and Python 3.x key differences', 2015. [Online]. Available: http://sebastianraschka.com/Articles/2014_python_2_3_key_diff.html. [6] Programcreek.com, 'Java vs. Python: Why Python can be more productive?', 2015. [Online]. Available: http://www.programcreek.com/2012/04/java-vs-python-why-python-can-be-more- productive/.
  • 56. References ByTahani Almanie | CSCI 5828 [7] Stsdas.stsci.edu, 'A Quick Tour of Python', 2015. [Online]. Available: http://stsdas.stsci.edu/pyraf/python_quick_tour.html. [8] Lynda.com - A LinkedIn Company, 'Python 3 Essential Training | Lynda.com Training', 2015. [Online]. Available: http://www.lynda.com/Python-3-tutorials/essential-training/62226-2.html. [9] Pymbook.readthedocs.org, 'Welcome to Python for you and me — Python for you and me 0.3.alpha1 documentation', 2015. [Online]. Available: http://pymbook.readthedocs.org/en/latest/index.html. [10] Code Geekz, '10 Best Python IDE for Developers | Code Geekz', 2014. [Online]. Available: https://codegeekz.com/best-python-ide-for-developers/. [11] K. Radhakrishnan, 'Top 10 Python Powered Web Frameworks For Developers', Toppersworld.com, 2014. [Online]. Available: http://toppersworld.com/top-10-python-powered-web- frameworks-for-developers/. [12] Wiki.python.org, 'OrganizationsUsingPython - Python Wiki', 2015. [Online]. Available: https://wiki.python.org/moin/OrganizationsUsingPython.
  • 57. Thank You ByTahani Almanie | CSCI 5828 https://www.python.org/~guido/images/DO6GvRlo.gif