KEMBAR78
Python Programming Unit-V | PDF | Object Oriented Programming | Class (Computer Programming)
0% found this document useful (0 votes)
6 views23 pages

Python Programming Unit-V

Python programming

Uploaded by

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

Python Programming Unit-V

Python programming

Uploaded by

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

UNIT-V

OOPS FRAMEWORK :

Oops concepts: Object, Class, Method, Inheritance, Polymorphism,Data abstraction,


Encapsulation, Python Frameworks: Explore django framework with an example

Like other general-purpose programming languages, Python is also an object-oriented language


since its beginning. It allows us to develop applications using an Object-Oriented approach. In
Python, we can easily create and use classes and objects.

An object-oriented paradigm is to design the program using classes and objects. The object is
related to real-word entities such as book, house, pencil, etc. The oops concept focuses on writing
the reusable code. It is a widespread technique to solve the problem by creating objects.

Object : The object is an entity that has state and behavior. It may be any real-world object like
the mouse, keyboard, chair, table, pen, etc.

Everything in Python is an object, and almost everything has attributes and methods. All functions
have a built-in attribute doc , which returns the docstring defined in the function source code.

When we define a class, it needs to create an object to allocate the memory. Consider the
following example.

Example:

class car:
def init (self,modelname, year):
self.modelname = modelname
self.year = year
def display(self):
print(self.modelname,self.year)

c1 = car("Toyota", 2016)
c1.display()

Output:

Toyota 2016
In the above example, we have created the class named car, and it has two attributes modelname
and year. We have created a c1 object to access the class attribute. The c1 object will allocate
memory for these values.

Class : The class can be defined as a collection of objects. It is a logical entity that has some
specific attributes and methods. For example: if you have an employee class, then it should contain
an attribute and method, i.e. an email id, name, age, salary, etc.

Syntax

1. class ClassName:
2. <statement-1>
3. .
4. .
5. <statement-N>

Consider the following example to create a class Employee which contains two fields as
Employee id, and name.

The class also contains a function display(), which is used to display the information of
the Employee.

Example

1. class Employee:
2. id = 10
3. name = "Devansh"
4. def display (self):
5. print(self.id,self.name)

Here, the self is used as a reference variable, which refers to the current class object. It is always
the first argument in the function definition. However, using self is optional in the function call.

The self-parameter

The self-parameter refers to the current instance of the class and accesses the class variables. We
can use anything instead of self, but it must be the first parameter of any function which belongs to
the class.

Creating an instance of the class


A class needs to be instantiated if we want to use the class attributes in another class or method. A
class can be instantiated by calling the class using the class name.

The syntax to create the instance of the class is given below.

<object-name> = <class-name>(<arguments>)

The following example creates the instance of the class Employee defined in the above example.

Example

class Employee:
1. id = 10
name = "John"
2. def display (self):
3. print("ID: %d \nName: %s"%(self.id,self.name))
4. # Creating a emp instance of Employee class
5. emp = Employee()
6. emp.display()

Output:

ID: 10
Name: John

In the above code, we have created the Employee class which has two attributes named id and
name and assigned value to them. We can observe we have passed the self as parameter in display
function. It is used to refer to the same class attribute.

We have created a new instance object named emp. By using it, we can access the attributes of the
class.

Python Inheritance

Inheritance is an important aspect of the object-oriented paradigm. Inheritance provides code


reusability to the program because we can use an existing class to create a new class instead of
creating it from scratch.

In inheritance, the child class acquires the properties and can access all the data members and
functions defined in the parent class. A child class can also provide its specific implementation
to the functions of the parent class. In this section of the tutorial, we will discuss inheritance in
detail.
In python, a derived class can inherit base class by just mentioning the base in the bracket after the
derived class name. Consider the following syntax to inherit a base class into the derived class.

1. Single Inheritance: Single inheritance enables a derived class to inherit properties from a
single parent class, thus enabling code reusability and addition of new features to existing
code.

Example:

# Python program to demonstrate


# single inheritance

# Base class
class Parent:
def func1(self):
print("This function is in parent class.")

# Derived class
class Child(Parent):
def func2(self):
print("This function is in child class.")

# Driver's code
object = Child()
object.func1()
object.func2()
Output :-
This function is in parent class.
This function is in child class.
2. Multiple Inheritance: When a class can be derived from more than one base classes this type
of inheritance is called multiple inheritance. In multiple inheritance, all the features of the
base classes are inherited into the derived class.

Example:

# Python program to demonstrate


# multiple inheritance

# Base class1
class Mother:
mothername = ""
def mother(self):
print(self.mothername)

# Base class2
class Father:
fathername = ""
def father(self):
print(self.fathername)

# Derived class
class Son(Mother, Father):
def parents(self):
print("Father :", self.fathername)
print("Mother :", self.mothername)

# Driver's code
s1 = Son()
s1.fathername = "RAM"
s1.mothername = "SITA"
s1.parents()
Output:
Father : RAM
Mother : SITA
3. Multilevel Inheritance
In multilevel inheritance, features of the base class and the derived class are further inherited
into the new derived class. This is similar to a relationship representing a child and
grandfather.

Example:

# Python program to demonstrate


# multilevel inheritance

# Base class
class Grandfather:
grandfathername =""
def grandfather(self):
print(self.grandfathername)

# Intermediate class
class Father(Grandfather):
fathername = ""
def father(self):
print(self.fathername)

# Derived class
class Son(Father):
def parent(self):
print("GrandFather :", self.grandfathername)
print("Father :", self.fathername)
# Driver's code
s1 = Son()
s1.grandfathername = "Srinivas"
s1.fathername = "Ankush"
s1.parent()
Output:
GrandFather : Srinivas
Father : Ankush
1. Hierarchical Inheritance: When more than one derived classes are created from a single
base this type of inheritence is called hierarchical inheritance. In this program, we have a
parent (base) class and two child (derived) classes.

Example:
# Python program to demonstrate
# Hierarchical inheritance

# Base class
class Parent:
def func1(self):
print("This function is in parent class.")

# Derived class1
class Child1(Parent):
def func2(self):
print("This function is in child 1.")

# Derivied class2
class Child2(Parent):
def func3(self):
print("This function is in child 2.")

# Driver's code
object1 = Child1()
object2 = Child2()
object1.func1()
object1.func2()
object2.func1()
object2.func3()
Output:
This function is in parent class.
This function is in child 1.
This function is in parent class.
This function is in child 2.
2. Hybrid Inheritance: Inheritence consisting of multiple types of inheritence is called hybrid
inheritence.

Example:

# Python program to demonstrate


# hybrid inheritance
class School:
def func1(self):
print("This function is in school.")

class Student1(School):
def func2(self):
print("This function is in student 1. ")

class Student2(School):
def func3(self):
print("This function is in student 2.")

class Student3(Student1, School):


def func4(self):
print("This function is in student 3.")

# Driver's code
object = Student3()
object.func1()
object.func2()
Output:
This function is in school.
This function is in student 1.
Polymorphism in Python
The word polymorphism means having many forms. In programming, polymorphism means
same function name (but different signatures) being uses for different types.
Example of inbuilt polymorphic functions :

# Python program to demonstrate in-built poly-


# morphic functions

# len() being used for a string


print(len("geeks"))

# len() being used for a list


print(len([10, 20, 30]))
Output:
5
3
Examples of used defined polymorphic functions :
# A simple Python function to demonstrate
# Polymorphism

def add(x, y, z = 0):


return x + y+z

# Driver code
print(add(2, 3))
print(add(2, 3, 4))
Output:
5
9

Polymorphism with class methods:


Below code shows how python can use two different class types, in the same way. We create a for
loop that iterates through a tuple of objects. Then call the methods without being concerned about
which class type each object is. We assume that these methods actually exist in each class.

class India():
def capital(self):
print("New Delhi is the capital of India.")
def language(self):
print("Hindi is the most widely spoken language of India.")

def type(self):
print("India is a developing country.")

class USA():
def capital(self):
print("Washington, D.C. is the capital of USA.")

def language(self):
print("English is the primary language of USA.")

def type(self):
print("USA is a developed country.")

obj_ind = India()
obj_usa = USA()
for country in (obj_ind, obj_usa):
country.capital()
country.language()
country.type()
Output:
New Delhi is the capital of India.
Hindi is the most widely spoken language of India.
India is a developing country.
Washington, D.C. is the capital of USA.
English is the primary language of USA. USA
is a developed country.
Encapsulation in Python
Encapsulation is one of the fundamental concepts in object-oriented programming (OOP). It
describes the idea of wrapping data and the methods that work on data within one unit. This puts
restrictions on accessing variables and methods directly and can prevent the accidental
modification of data. To prevent accidental change, an object’s variable can only be changed by an
object’s method. Those type of variables are known as private variable.
A class is an example of encapsulation as it encapsulates all the data that is member functions,
variables, etc.

Note: The init method is a constructor and runs as soon as an object of a class is instantiated.

# Python program to
# demonstrate protected members

# Creating a base class


class Base:
def init (self):

# Protected member
self._a = 2

# Creating a derived class


class Derived(Base):
def init (self):

# Calling constructor of
# Base class
Base. init (self)
print("Calling protected member of base class: ")
print(self._a)

obj1 = Derived()

obj2 = Base()

# Calling protected member


# Outside class will result in
# AttributeError
print(obj2.a)
Output:
Calling protected member of base class:
2
Traceback (most recent call last):
File "/home/6fb1b95dfba0e198298f9dd02469eb4a.py", line 25, in
print(obj1.a)
AttributeError: 'Base' object has no attribute 'a'

Abstract Classes in Python


An abstract class can be considered as a blueprint for other classes. It allows you to create a set of
methods that must be created within any child classes built from the abstract class. A class which
contains one or more abstract methods is called an abstract class. An abstract method is a method
that has a declaration but does not have an implementation. While we are designing large
functional units we use an abstract class. When we want to provide a common interface for
different implementations of a component, we use an abstract class.
# Python program showing
# abstract base class work

from abc import ABC, abstractmethod

class Polygon(ABC):

# abstract method
def noofsides(self):
pass

class Triangle(Polygon):

# overriding abstract method


def noofsides(self):
print("I have 3 sides")

class Pentagon(Polygon):

# overriding abstract method


def noofsides(self):
print("I have 5 sides")

class Hexagon(Polygon):

# overriding abstract method


def noofsides(self):
print("I have 6 sides")

class Quadrilateral(Polygon):

# overriding abstract method


def noofsides(self):
print("I have 4 sides")

# Driver code
R = Triangle()
R.noofsides()

K = Quadrilateral()
K.noofsides()

R = Pentagon()
R.noofsides()

K = Hexagon()
K.noofsides()
Output:
I have 3 sides
I have 4 sides
I have 5 sides
I have 6 sides
Python Frameworks: Explore django framework

Django is a high-level Python web framework that encourages rapid development and clean,
pragmatic design. Django makes it easier to build better web apps quickly and with less code.
Note − Django is a registered trademark of the Django Software Foundation, and is licensed
under BSD License

History of Django
• 2003 − Started by Adrian Holovaty and Simon Willison as an internal project at the
Lawrence Journal-World newspaper.
• 2005 − Released July 2005 and named it Django, after the jazz guitarist Django Reinhardt.
• 2005 − Mature enough to handle several high-traffic sites.
• Current − Django is now an open source project with contributors across the world.
Django – Design Philosophies
Django comes with the following design philosophies −
• Loosely Coupled − Django aims to make each element of its stack independent of the
others.
• Less Coding − Less code so in turn a quick development.
• Don't Repeat Yourself (DRY) − Everything should be developed only in exactly one place
instead of repeating it again and again.
• Fast Development − Django's philosophy is to do all it can to facilitate hyper-fast
development.
• Clean Design − Django strictly maintains a clean design throughout its own code and
makes it easy to follow best web-development practices.
Advantages of Django
Here are few advantages of using Django which can be listed out here −
• Object-Relational Mapping (ORM) Support − Django provides a bridge between the data
model and the database engine, and supports a large set of database systems including
MySQL, Oracle, Postgres, etc. Django also supports NoSQL database through Django-
nonrel fork. For now, the only NoSQL databases supported are MongoDB and google app
engine.
• Multilingual Support − Django supports multilingual websites through its built-in
internationalization system. So you can develop your website, which would support multiple
languages.
• Framework Support − Django has built-in support for Ajax, RSS, Caching and various
other frameworks.
• Administration GUI − Django provides a nice ready-to-use user interface for
administrative activities.
• Development Environment − Django comes with a lightweight web server to facilitate
end-to-end application development and testing.
DJANGO MVC - MVT Pattern
The Model-View-Template (MVT) is slightly different from MVC. In fact the main difference
between the two patterns is that Django itself takes care of the Controller part (Software Code that
controls the interactions between the Model and View), leaving us with the template. The template
is a HTML file mixed with Django Template Language (DTL).

The following diagram illustrates how each of the components of the MVT pattern interacts with
each other to serve a user request −

The developer provides the Model, the view and the template then just maps it to a URL and Django
does the magic to serve it to the user.
Django development environment consists of installing and setting up Python, Django, and a
Database System. Since Django deals with web application, it's worth mentioning that you would
need a web server setup as well.
Step 1 – Installing Python
Django is written in 100% pure Python code, so you'll need to install Python on your system. Latest
Django version requires Python 2.6.5 or higher
If you're on one of the latest Linux or Mac OS X distribution, you probably already have Python
installed. You can verify it by typing python command at a command prompt. If you see something
like this, then Python is installed.
$ python
Python 2.7.5 (default, Jun 17 2014, 18:11:42)
[GCC 4.8.2 20140120 (Red Hat 4.8.2-16)] on linux2
Otherwise, you can download and install the latest version of Python from the
link http://www.python.org/download.
Step 2 - Installing Django
Installing Django is very easy, but the steps required for its installation depends on your operating
system. Since Python is a platform-independent language, Django has one package that works
everywhere regardless of your operating system.
Windows Installation
We assume you have your Django archive and python installed on your computer.
First, PATH verification.
On some version of windows (windows 7) you might need to make sure the Path system variable
has the path the following C:\Python34\;C:\Python34\Lib\site-packages\django\bin\ in it, of course
depending on your Python version.
Then, extract and install Django.
c:\>cd c:\Django-x.xx
Next, install Django by running the following command for which you will need administrative
privileges in windows shell "cmd" −
c:\Django-x.xx>python setup.py install
To test your installation, open a command prompt and type the following command −
c:\>python -c "import django; print(django.get_version())"
If you see the current version of Django printed on screen, then everything is set.
OR
Launch a "cmd" prompt and type python then −
c:\> python
>>> import django
>>> django.VERSION
Step 3 – Database Setup
Django supports several major database engines and you can set up any of them based on your
comfort.

• MySQL (http://www.mysql.com/)
• PostgreSQL (http://www.postgresql.org/)
• SQLite 3 (http://www.sqlite.org/)
• Oracle (http://www.oracle.com/)
• MongoDb (https://django-mongodb-engine.readthedocs.org)
• GoogleAppEngine Datastore (https://cloud.google.com/appengine/articles/django-nonrel)
You can refer to respective documentation to installing and configuring a database of your choice.
Note − Number 5 and 6 are NoSQL databases.
Step 4 – Web Server
Django comes with a lightweight web server for developing and testing applications. This server is
pre-configured to work with Django, and more importantly, it restarts whenever you modify the
code.
However, Django does support Apache and other popular web servers such as Lighttpd. We will
discuss both the approaches in coming chapters while working with different examples.
As example let's say we want to build a website, the website is our project and, the forum, news,
contact engine are applications. This structure makes it easier to move an application between
projects since every application is independent.
Create a Project
Whether you are on Windows or Linux, just get a terminal or a cmd prompt and navigate to the
place you want your project to be created, then use this code −
$ django-admin startproject myproject
This will create a "myproject" folder with the following structure −
myproject/
manage.py
myproject/
init .py
settings.py
urls.py
wsgi.py
The Project Structure
The “myproject” folder is just your project container, it actually contains two elements −
• manage.py − This file is kind of your project local django-admin for interacting with your
project via command line (start the development server, sync db...). To get a full list of
command accessible via manage.py you can use the code −
$ python manage.py help
• The “myproject” subfolder − This folder is the actual python package of your project. It
contains four files −
o init .py − Just for python, treat this folder as package.
o settings.py − As the name indicates, your project settings.
o urls.py − All links of your project and the function to call. A kind of ToC of your
project.
o wsgi.py − If you need to deploy your project over WSGI.
Setting Up Your Project
Your project is set up in the subfolder myproject/settings.py. Following are some important
options you might need to set −
DEBUG = True
This option lets you set if your project is in debug mode or not. Debug mode lets you get more
information about your project's error. Never set it to ‘True’ for a live project. However, this has to
be set to ‘True’ if you want the Django light server to serve static files. Do it only in the development
mode.
DATABASES = {
'default': {
'ENGINE': 'django.db.backends.sqlite3',
'NAME': 'database.sql',
'USER': '',
'PASSWORD': '',
'HOST': '',
'PORT': '',
}
}
Database is set in the ‘Database’ dictionary. The example above is for SQLite engine. As stated
earlier, Django also supports −

• MySQL (django.db.backends.mysql)
• PostGreSQL (django.db.backends.postgresql_psycopg2)
• Oracle (django.db.backends.oracle) and NoSQL DB
• MongoDB (django_mongodb_engine)
Before setting any new engine, make sure you have the correct db driver installed.
You can also set others options like: TIME_ZONE, LANGUAGE_CODE, TEMPLATE…
Now that your project is created and configured make sure it's working −
$ python manage.py runserver
You will get something like the following on running the above code −
Validating models...

0 errors found
September 03, 2015 - 11:41:50
Django version 1.6.11, using settings 'myproject.settings'
Starting development server at http://127.0.0.1:8000/
Quit the server with CONTROL-C.
Create an Application
We assume you are in your project folder. In our main “myproject” folder, the same folder then
manage.py −
$ python manage.py startapp myapp
You just created myapp application and like project, Django create a “myapp” folder with the
application structure −
myapp/
init .py
admin.py
models.py
tests.py
views.py
• init .py − Just to make sure python handles this folder as a package.
• admin.py − This file helps you make the app modifiable in the admin interface.
• models.py − This is where all the application models are stored.
• tests.py − This is where your unit tests are.
• views.py − This is where your application views are.

Get the Project to Know About Your Application


At this stage we have our "myapp" application, now we need to register it with our Django project
(add your app name) =
INSTALLED_APPS −
"myproject". To do so,( update INSTALLED_APPS tuple in the settings.py file of your project
'django.contrib.admin',
'django.contrib.auth',
'django.contrib.contenttypes',
'django.contrib.sessions',
'django.contrib.messages',
'django.contrib.staticfiles',
'myapp',
)
Django provides a ready-to-use user interface for administrative activities. We all know how an
admin interface is important for a web project. Django automatically generates admin UI based on
your project models.
Starting the Admin Interface
The Admin interface depends on the django.countrib module. To have it working you need to make
sure some modules are imported in the INSTALLED_APPS and MIDDLEWARE_CLASSES
tuples of the myproject/settings.py file.
For INSTALLED_APPS make sure you have −
INSTALLED_APPS = (
'django.contrib.admin',
'django.contrib.auth',
'django.contrib.contenttypes',
'django.contrib.sessions',
'django.contrib.messages',
'django.contrib.staticfiles',
'myapp',
)
For MIDDLEWARE_CLASSES −
MIDDLEWARE_CLASSES = (
'django.contrib.sessions.middleware.SessionMiddleware',
'django.middleware.common.CommonMiddleware',
'django.middleware.csrf.CsrfViewMiddleware',
'django.contrib.auth.middleware.AuthenticationMiddleware',
'django.contrib.messages.middleware.MessageMiddleware',
'django.middleware.clickjacking.XFrameOptionsMiddleware',
)
Before launching your server, to access your Admin Interface, you need to initiate the database −
$ python manage.py migrate
syncdb will create necessary tables or collections depending on your db type, necessary for the
admin interface to run. Even if you don't have a superuser, you will be prompted to create one.
If you already have a superuser or have forgotten it, you can always create one using the
following code −
$ python manage.py createsuperuser
Now to start the Admin Interface, we need to make sure we have configured a URL for our admin
interface. Open the myproject/url.py and you should have something like −
from django.conf.urls import patterns, include, url

from django.contrib import admin


admin.autodiscover()

urlpatterns = patterns('',
# Examples:
# url(r'^$', 'myproject.views.home', name = 'home'),
# url(r'^blog/', include('blog.urls')),

url(r'^admin/', include(admin.site.urls)),
)
Now just run the server.
$ python manage.py runserver
And your admin interface is accessible at: http://127.0.0.1:8000/admin/

Once connected with your superuser account, you will see the following screen −
That interface will let you administrate Django groups and users, and all registered models in your
app. The interface gives you the ability to do at least the "CRUD" (Create, Read, Update, Delete)
operations on your models.

You might also like