SlideShare a Scribd company logo
Python for ethical hackers
Mohammad reza Kamalifard
kamalifard@datasec.ir
Python language essentials
Module 1:
Introduction to Python and Setting up an Environment for Programing
Part 9 :
Object Oriented Programing
Object
Building block of program
Component with some desired functionality
You ask objects to do work.
You don't know how they do that.
Class
A user-defined prototype for an object that defines a set of
attributes that characterize any object of the class. The attributes
are data members (class variables and instance variables) and
methods, accessed via dot notation.
class ClassName:
'Optional class documentation string'
class_suite
The class has a documentation string, which can be accessed via
ClassName.__doc__.
The class_suite consists of all the component statements defining
class members, data attributes and functions.
Terminology
• Class variable: A variable that is shared by all instances of a class. Class variables are defined

within a class but outside any of the class's methods. Class variables aren't used as frequently
as instance variables are.
• Data member: A class variable or instance variable that holds data associated with a class and

its objects.
• Instance variable: A variable that is defined inside a method and belongs only to the current

instance of a class.
• Instance: An individual object of a certain class. An object obj that belongs to a class Circle, for

example, is an instance of the class Circle.
• Instantiation: The creation of an instance of a class.
• Method : A special kind of function that is defined in a class definition.
• Object : A unique instance of a data structure that's defined by its class. An object comprises

both data members (class variables and instance variables) and methods.
A Simple Class in Python
class Employee:
'Common base class for all employees'
empCount = 0
def __init__(self, name, salary):
self.name = name
self.salary = salary
Employee.empCount += 1
def displayCount(self):
print "Total Employee %d" % Employee.empCount
def displayEmployee(self):
print "Name : ", self.name,

", Salary: ", self.salary
• The variable empCount is a class variable whose value would be

shared among all instances of a this class. This can be
accessed as Employee.empCount from inside the class or outside
the class.
• The first method __init__() is a special method, which is

called class constructor or initialization method that Python
calls when you create a new instance of this class.
• You declare other class methods like normal functions with the

exception that the first argument to each method is self.
Python adds the self argument to the list for you; you don't
need to include it when you call the methods.
Creating instance objects
To create instances of a class, you call the class using class name and
pass in whatever arguments its __init__ method accepts.
"This would create first object of Employee class"
emp1 = Employee("Zara", 2000)
"This would create second object of Employee class"
emp2 = Employee("Manni", 5000)
Accessing attributes
You access the object's attributes using the dot operator with object.
Class variable would be accessed using class name as follows:
emp1.displayEmployee()
emp2.displayEmployee()
print "Total Employee %d" % Employee.empCount
Name : Zara , Salary: 2000
Name : Manni , Salary: 5000
Total Employee 2
class Employee:
'Common base class for all employees'
empCount = 0
def __init__(self, name, salary):
self.name = name
self.salary = salary
Employee.empCount += 1
def displayCount(self):
print "Total Employee %d" % Employee.empCount
def displayEmployee(self):
print "Name : ", self.name, ", Salary: ", self.salary

"This would create first object of Employee class"
emp1 = Employee("Zara", 2000)
"This would create second object of Employee class"
emp2 = Employee("Manni", 5000)

emp1.displayEmployee()
emp2.displayEmployee()
print "Total Employee %d" % Employee.empCount
Add, Remove or Modify
You can add, remove or modify attributes of classes and objects at any
time:
emp1.age = 22 # Add an 'age' attribute.
emp1.age = 18 # Modify 'age' attribute.
del emp1.age # Delete 'age' attribute.
Add, Remove or Modify
Instead of using the normal statements to access attributes, you can use
following functions:
The getattr(obj, name[, default]) : to access the attribute of object.
The hasattr(obj,name) : to check if an attribute exists or not.
The setattr(obj,name,value) : to set an attribute. If attribute does not
exist, then it would be created.
The delattr(obj, name) : to delete an attribute.
hasattr(emp1,
getattr(emp1,
setattr(emp1,
delattr(empl,

'age') # Returns true if 'age' attribute exists
'age') # Returns value of 'age' attribute
'age', 8) # Set attribute 'age' at 8
'age')
# Delete attribute 'age'
Built-In Class Attributes
Every Python class keeps following built-in attributes and they can be
accessed using dot operator like any other attribute:
__dict__ : Dictionary containing the class's namespace.
__doc__ : Class documentation string or None if undefined.
__name__ : Class name.
__module__ : Module name in which the class is defined. This attribute
is "__main__" in interactive mode.
>>>print
>>>print
>>>print
>>>print

"Employee.__doc__:", Employee.__doc__
"Employee.__name__:", Employee.__name__
"Employee.__module__:", Employee.__module__
"Employee.__dict__:", Employee.__dict__

Employee.__doc__: Common base class for all employees
Employee.__name__: Employee
Employee.__module__: __main__
Employee.__dict__: {'__module__': '__main__', 'displayCount':
<function displayCount at 0xb7c84994>, 'empCount': 2,
'displayEmployee': <function displayEmployee at 0xb7c8441c>,
'__doc__': 'Common base class for all employees',
'__init__': <function __init__ at 0xb7c846bc>}
Destroying Objects (Garbage Collection)
Python deletes unneeded objects (built-in types or class instances)
automatically to free memory space. The process by which Python
periodically reclaims blocks of memory that no longer are in use is
termed garbage collection.
Python's garbage collector runs during program execution and is
triggered when an object's reference count reaches zero. An object's
reference count changes as the number of aliases that point to it
changes.
An object's reference count increases when it's assigned a new name or
placed in a container (list, tuple or dictionary). The object's reference
count decreases when it's deleted with del, its reference is reassigned,
or its reference goes out of scope. When an object's reference count
reaches zero, Python collects it automatically.
Destroying Objects (Garbage Collection)
a = 40
b = a
c = [b]

# Create object <40>
# Increase ref. count
# Increase ref. count

of <40>
of <40>

del a
b = 100
c[0] = -1

# Decrease ref. count
# Decrease ref. count
# Decrease ref. count

of <40>
of <40>
of <40>

You normally won't notice when the garbage collector destroys an
orphaned instance and reclaims its space. But a class can implement
the special method __del__(), called a destructor, that is invoked when
the instance is about to be destroyed. This method might be used to
clean up any nonmemory resources used by an instance.
Destructor __del__()
class Point:
def __init__( self, x=0, y=0):
self.x = x
self.y = y
def __del__(self):
class_name = self.__class__.__name__
print class_name, "destroyed"
pt1 = Point()
pt2 = pt1
pt3 = pt1
print id(pt1), id(pt2), id(pt3) # prints the ids of the objects
del pt1
del pt2
del pt3
140586269057680 140586269057680 140586269057680
Point destroyed
Class Inheritance
Instead of starting from scratch, you can create a class by deriving it
from a preexisting class by listing the parent class in parentheses after
the new class name.
The child class inherits the attributes of its parent class, and you can use
those attributes as if they were defined in the child class. A child class
can also override data members and methods from the parent.

class SubClassName (ParentClass1[, ParentClass2, ...]):
'Optional class documentation string'
class_suite
class Parent:
# define parent class
parentAttr = 100
def __init__(self):
print "Calling parent constructor"
def parentMethod(self):
print 'Calling parent method'
def setAttr(self, attr):
Parent.parentAttr = attr
def getAttr(self):
print "Parent attribute :", Parent.parentAttr
class Child(Parent): # define child class
def __init__(self):
print "Calling child constructor"
def childMethod(self):
print 'Calling child method'
c = Child()
c.childMethod()
c.parentMethod()
c.setAttr(200)
c.getAttr()

#
#
#
#
#

instance of child
child calls its method
calls parent's method
again call parent's method
again call parent's method

Calling child constractor
Calling child method
Calling parent Method
Parent attribute : 200
Similar way, you can drive a class from multiple parent classes as
follows:
class A:
.....

# define your class A

class B:
.....

# define your calss B

class C(A, B):
.....

# subclass of A and B

• You can use issubclass() or isinstance() functions to check a
relationships of two classes and instances.
• The issubclass(sub, sup) boolean function returns true if the given
subclass sub is indeed a subclass of the superclass sup.
• The isinstance(obj, Class) boolean function returns true if obj is an
instance of class Class or is an instance of a subclass of Class
Overriding Methods
You can always override your parent class methods. One reason for
overriding parent's methods is because you may want special or
different functionality in your subclass.
class Parent:
# define parent class
def myMethod(self):
print 'Calling parent method'
class Child(Parent): # define child class
def myMethod(self):
print 'Calling child method'
c = Child()
c.myMethod()
Calling child method

# instance of child
# child calls overridden method
Base Overloading Methods
__init__ ( self [,args...] )
Constructor (with any optional arguments)
Sample Call : obj = className(args)
_del__( self )
Destructor, deletes an object
Sample Call : del obj
__repr__( self )
Evaluatable string representation
Sample Call : repr(obj)
__str__( self )
Printable string representation
Sample Call : str(obj)
__cmp__ ( self, x )
Object comparison
Sample Call : cmp(obj, x)
Data Hiding
An object's attributes may or may not be visible outside the class
definition. For these cases, you can name attributes with a double
underscore prefix, and those attributes will not be directly visible to
outsiders.
class JustCounter:
__secretCount = 0
def count(self):
self.__secretCount += 1
print self.__secretCount
counter = JustCounter()
counter.count()
counter.count()
print counter.__secretCount
1
2
Traceback (most recent call last):
File "test.py", line 12, in <module>
print counter.__secretCount
AttributeError: JustCounter instance has no attribute '__secretCount'
Python protects those members by internally changing the name to include the class
name. You can access such attributes as object._className__attrName. If you would
replace your last line as following, then it would work for you:
.........................
print counter._JustCounter__secretCount
When the above code is executed, it produces the following result:
1
2
2
l

References

SPSE securitytube training by Vivek Ramachandran
SANS Python for Pentesters (SEC573)
Violent python
Security Power Tools
python-course.eu
----------------------------http://www.python-course.eu/object_oriented_programming.php
http://www.tutorialspoint.com/python/python_classes_objects.htm
This work is licensed under the Creative Commons Attribution-NoDerivs 3.0 Unported License.
To view a copy of this license, visit
http://creativecommons.org/licenses/by-nd/3.0/
Copyright 2013 Mohammad Reza Kamalifard
All rights reserved.
Go to Kamalifard.ir/pysec101 to Download Slides and Course martials .

More Related Content

PDF
اسلاید جلسه ۹ کلاس پایتون برای هکر های قانونی
PDF
Python programming : Inheritance and polymorphism
PDF
Python programming : Classes objects
PPTX
Python: Basic Inheritance
PDF
Python unit 3 m.sc cs
PPT
Spsl v unit - final
اسلاید جلسه ۹ کلاس پایتون برای هکر های قانونی
Python programming : Inheritance and polymorphism
Python programming : Classes objects
Python: Basic Inheritance
Python unit 3 m.sc cs
Spsl v unit - final

What's hot (20)

PDF
Dive into Python Class
DOCX
Python Metaclasses
PPTX
Basics of Object Oriented Programming in Python
PPTX
Python oop third class
PPTX
Ch8(oop)
PDF
Python programming : Abstract classes interfaces
PPT
Python session 7 by Shan
PPTX
Python Programming Essentials - M20 - Classes and Objects
PDF
Object Oriented Programming with PHP 5 - More OOP
PDF
Object Oriented Programming in PHP
PPT
Advanced php
PPTX
Python advance
PPTX
Lab 4
PPTX
Lecture 7 arrays
PPTX
Python 표준 라이브러리
KEY
Django Pro ORM
KEY
Advanced Django ORM techniques
PDF
Using and Abusing Magic methods in Python
PDF
Python's magic methods
PPTX
11. session 11 functions and objects
Dive into Python Class
Python Metaclasses
Basics of Object Oriented Programming in Python
Python oop third class
Ch8(oop)
Python programming : Abstract classes interfaces
Python session 7 by Shan
Python Programming Essentials - M20 - Classes and Objects
Object Oriented Programming with PHP 5 - More OOP
Object Oriented Programming in PHP
Advanced php
Python advance
Lab 4
Lecture 7 arrays
Python 표준 라이브러리
Django Pro ORM
Advanced Django ORM techniques
Using and Abusing Magic methods in Python
Python's magic methods
11. session 11 functions and objects
Ad

Viewers also liked (11)

PDF
اسلاید سوم جلسه هفتم کلاس پایتون برای هکرهای قانونی
PDF
اسلاید اول جلسه چهارم کلاس پایتون برای هکرهای قانونی
PDF
اسلاید اول جلسه هشتم کلاس پایتون برای هکرهای قانونی
PDF
اسلاید دوم جلسه پنجم کلاس پایتون برای هکرهای قانونی
PDF
بررسی ایمیل های اسم و رفتار اسپم کننده ها
PDF
اسلاید اول جلسه پنجم کلاس پایتون برای هکرهای قانونی
PDF
اسلاید جلسه سوم کلاس پایتون برای هکرهای قانونی
PDF
اسلاید ارائه اول جلسه ۱۰ کلاس پایتون برای هکر های قانونی
PDF
اسلاید ارائه سوم جلسه ۱۰ کلاس پایتون برای هکر های قانونی
PDF
اسلاید دوم جلسه دوم کلاس پایتون برای هکرهای قانونی
PDF
جلسه پنجم پایتون برای هکر های قانونی دوره مقدماتی پاییز ۹۲- ارائه ۲
اسلاید سوم جلسه هفتم کلاس پایتون برای هکرهای قانونی
اسلاید اول جلسه چهارم کلاس پایتون برای هکرهای قانونی
اسلاید اول جلسه هشتم کلاس پایتون برای هکرهای قانونی
اسلاید دوم جلسه پنجم کلاس پایتون برای هکرهای قانونی
بررسی ایمیل های اسم و رفتار اسپم کننده ها
اسلاید اول جلسه پنجم کلاس پایتون برای هکرهای قانونی
اسلاید جلسه سوم کلاس پایتون برای هکرهای قانونی
اسلاید ارائه اول جلسه ۱۰ کلاس پایتون برای هکر های قانونی
اسلاید ارائه سوم جلسه ۱۰ کلاس پایتون برای هکر های قانونی
اسلاید دوم جلسه دوم کلاس پایتون برای هکرهای قانونی
جلسه پنجم پایتون برای هکر های قانونی دوره مقدماتی پاییز ۹۲- ارائه ۲
Ad

Similar to جلسه هفتم پایتون برای هکر های قانونی دوره مقدماتی پاییز ۹۲ (20)

PDF
PYTHON-Chapter 3-Classes and Object-oriented Programming: MAULIK BORSANIYA
PDF
Python Classes_ Empowering Developers, Enabling Breakthroughs.pdf
PDF
Python Classes_ Empowering Developers, Enabling Breakthroughs.pdf
PPT
Introduction to Python - Part Three
PPT
Spsl vi unit final
PPTX
classes and objects of python object oriented
PPT
Chap 3 Python Object Oriented Programming - Copy.ppt
PPTX
UNIT 3 PY.pptx - OOPS CONCEPTS IN PYTHON
PPT
Python3
PPTX
Object oriented programming with python
PPTX
Module-5-Classes and Objects for Python Programming.pptx
PPTX
PYTHON-COURSE-PROGRAMMING-UNIT-IV--.pptx
PPTX
Python – Object Oriented Programming
PPTX
Python_Unit_2 OOPS.pptx
PPTX
UNIT-5 object oriented programming lecture
PPT
Lecture topic - Python class lecture.ppt
PPT
Lecture on Python class -lecture123456.ppt
PPTX
Unit – V Object Oriented Programming in Python.pptx
PYTHON-Chapter 3-Classes and Object-oriented Programming: MAULIK BORSANIYA
Python Classes_ Empowering Developers, Enabling Breakthroughs.pdf
Python Classes_ Empowering Developers, Enabling Breakthroughs.pdf
Introduction to Python - Part Three
Spsl vi unit final
classes and objects of python object oriented
Chap 3 Python Object Oriented Programming - Copy.ppt
UNIT 3 PY.pptx - OOPS CONCEPTS IN PYTHON
Python3
Object oriented programming with python
Module-5-Classes and Objects for Python Programming.pptx
PYTHON-COURSE-PROGRAMMING-UNIT-IV--.pptx
Python – Object Oriented Programming
Python_Unit_2 OOPS.pptx
UNIT-5 object oriented programming lecture
Lecture topic - Python class lecture.ppt
Lecture on Python class -lecture123456.ppt
Unit – V Object Oriented Programming in Python.pptx

More from Mohammad Reza Kamalifard (19)

PDF
PDF
Introduction to Flask Micro Framework
PDF
Pycon - Python for ethical hackers
PDF
Tehlug 26 Nov 2013 Hackers,Cyberwarfare and Online privacy
PDF
جلسه دوم پایتون برای هکر های قانونی دوره مقدماتی پاییز ۹۲
PDF
جلسه سوم پایتون برای هکر های قانونی دوره مقدماتی پاییز ۹۲
PDF
جلسه چهارم پایتون برای هکر های قانونی دوره مقدماتی پاییز ۹۲
PDF
جلسه پنجم پایتون برای هکر های قانونی دوره مقدماتی پاییز ۹۲- ارائه ۱
PDF
جلسه ششم پایتون برای هکر های قانونی دوره مقدماتی پاییز ۹۲- ارائه ۱
PDF
جلسه ششم پایتون برای هکر های قانونی دوره مقدماتی پاییز ۹۲- ارائه ۲
PDF
جلسه اول پایتون برای هکر های قانونی دوره مقدماتی پاییز ۹۲
PDF
اسلاید اول جلسه اول دوره پاییز کلاس پایتون برای هکرهای قانونی
PDF
اسلاید دوم جلسه یازدهم کلاس پایتون برای هکر های قانونی
PDF
اسلاید اول جلسه یازدهم کلاس پایتون برای هکرهای قانونی
PDF
اسلاید ارائه دوم جلسه ۱۰ کلاس پایتون برای هکر های قانونی
PDF
اسلاید دوم جلسه هفتم کلاس پایتون برای هکرهای قانونی
PDF
اسلاید اول جلسه هفتم کلاس پایتون برای هکرهای قانونی
PDF
اسلاید دوم جلسه چهارم کلاس پایتون برای هکرهای قانونی
PDF
اسلاید اول جلسه دوم کلاس پایتون برای هکرهای قانونی
Introduction to Flask Micro Framework
Pycon - Python for ethical hackers
Tehlug 26 Nov 2013 Hackers,Cyberwarfare and Online privacy
جلسه دوم پایتون برای هکر های قانونی دوره مقدماتی پاییز ۹۲
جلسه سوم پایتون برای هکر های قانونی دوره مقدماتی پاییز ۹۲
جلسه چهارم پایتون برای هکر های قانونی دوره مقدماتی پاییز ۹۲
جلسه پنجم پایتون برای هکر های قانونی دوره مقدماتی پاییز ۹۲- ارائه ۱
جلسه ششم پایتون برای هکر های قانونی دوره مقدماتی پاییز ۹۲- ارائه ۱
جلسه ششم پایتون برای هکر های قانونی دوره مقدماتی پاییز ۹۲- ارائه ۲
جلسه اول پایتون برای هکر های قانونی دوره مقدماتی پاییز ۹۲
اسلاید اول جلسه اول دوره پاییز کلاس پایتون برای هکرهای قانونی
اسلاید دوم جلسه یازدهم کلاس پایتون برای هکر های قانونی
اسلاید اول جلسه یازدهم کلاس پایتون برای هکرهای قانونی
اسلاید ارائه دوم جلسه ۱۰ کلاس پایتون برای هکر های قانونی
اسلاید دوم جلسه هفتم کلاس پایتون برای هکرهای قانونی
اسلاید اول جلسه هفتم کلاس پایتون برای هکرهای قانونی
اسلاید دوم جلسه چهارم کلاس پایتون برای هکرهای قانونی
اسلاید اول جلسه دوم کلاس پایتون برای هکرهای قانونی

Recently uploaded (20)

PPTX
Renaissance Architecture: A Journey from Faith to Humanism
PPTX
Institutional Correction lecture only . . .
PDF
Anesthesia in Laparoscopic Surgery in India
PPTX
IMMUNITY IMMUNITY refers to protection against infection, and the immune syst...
PDF
Supply Chain Operations Speaking Notes -ICLT Program
PDF
Saundersa Comprehensive Review for the NCLEX-RN Examination.pdf
PDF
STATICS OF THE RIGID BODIES Hibbelers.pdf
PDF
Abdominal Access Techniques with Prof. Dr. R K Mishra
PPTX
Pharma ospi slides which help in ospi learning
PDF
BÀI TẬP BỔ TRỢ 4 KỸ NĂNG TIẾNG ANH 9 GLOBAL SUCCESS - CẢ NĂM - BÁM SÁT FORM Đ...
PPTX
PPT- ENG7_QUARTER1_LESSON1_WEEK1. IMAGERY -DESCRIPTIONS pptx.pptx
PDF
Insiders guide to clinical Medicine.pdf
PDF
Basic Mud Logging Guide for educational purpose
PPTX
Final Presentation General Medicine 03-08-2024.pptx
PPTX
master seminar digital applications in india
PDF
O7-L3 Supply Chain Operations - ICLT Program
PPTX
Cell Types and Its function , kingdom of life
PDF
VCE English Exam - Section C Student Revision Booklet
PPTX
human mycosis Human fungal infections are called human mycosis..pptx
PDF
ANTIBIOTICS.pptx.pdf………………… xxxxxxxxxxxxx
Renaissance Architecture: A Journey from Faith to Humanism
Institutional Correction lecture only . . .
Anesthesia in Laparoscopic Surgery in India
IMMUNITY IMMUNITY refers to protection against infection, and the immune syst...
Supply Chain Operations Speaking Notes -ICLT Program
Saundersa Comprehensive Review for the NCLEX-RN Examination.pdf
STATICS OF THE RIGID BODIES Hibbelers.pdf
Abdominal Access Techniques with Prof. Dr. R K Mishra
Pharma ospi slides which help in ospi learning
BÀI TẬP BỔ TRỢ 4 KỸ NĂNG TIẾNG ANH 9 GLOBAL SUCCESS - CẢ NĂM - BÁM SÁT FORM Đ...
PPT- ENG7_QUARTER1_LESSON1_WEEK1. IMAGERY -DESCRIPTIONS pptx.pptx
Insiders guide to clinical Medicine.pdf
Basic Mud Logging Guide for educational purpose
Final Presentation General Medicine 03-08-2024.pptx
master seminar digital applications in india
O7-L3 Supply Chain Operations - ICLT Program
Cell Types and Its function , kingdom of life
VCE English Exam - Section C Student Revision Booklet
human mycosis Human fungal infections are called human mycosis..pptx
ANTIBIOTICS.pptx.pdf………………… xxxxxxxxxxxxx

جلسه هفتم پایتون برای هکر های قانونی دوره مقدماتی پاییز ۹۲

  • 1. Python for ethical hackers Mohammad reza Kamalifard kamalifard@datasec.ir
  • 2. Python language essentials Module 1: Introduction to Python and Setting up an Environment for Programing Part 9 : Object Oriented Programing
  • 3. Object Building block of program Component with some desired functionality You ask objects to do work. You don't know how they do that.
  • 4. Class A user-defined prototype for an object that defines a set of attributes that characterize any object of the class. The attributes are data members (class variables and instance variables) and methods, accessed via dot notation. class ClassName: 'Optional class documentation string' class_suite The class has a documentation string, which can be accessed via ClassName.__doc__. The class_suite consists of all the component statements defining class members, data attributes and functions.
  • 5. Terminology • Class variable: A variable that is shared by all instances of a class. Class variables are defined within a class but outside any of the class's methods. Class variables aren't used as frequently as instance variables are. • Data member: A class variable or instance variable that holds data associated with a class and its objects. • Instance variable: A variable that is defined inside a method and belongs only to the current instance of a class. • Instance: An individual object of a certain class. An object obj that belongs to a class Circle, for example, is an instance of the class Circle. • Instantiation: The creation of an instance of a class. • Method : A special kind of function that is defined in a class definition. • Object : A unique instance of a data structure that's defined by its class. An object comprises both data members (class variables and instance variables) and methods.
  • 6. A Simple Class in Python class Employee: 'Common base class for all employees' empCount = 0 def __init__(self, name, salary): self.name = name self.salary = salary Employee.empCount += 1 def displayCount(self): print "Total Employee %d" % Employee.empCount def displayEmployee(self): print "Name : ", self.name, ", Salary: ", self.salary
  • 7. • The variable empCount is a class variable whose value would be shared among all instances of a this class. This can be accessed as Employee.empCount from inside the class or outside the class. • The first method __init__() is a special method, which is called class constructor or initialization method that Python calls when you create a new instance of this class. • You declare other class methods like normal functions with the exception that the first argument to each method is self. Python adds the self argument to the list for you; you don't need to include it when you call the methods.
  • 8. Creating instance objects To create instances of a class, you call the class using class name and pass in whatever arguments its __init__ method accepts. "This would create first object of Employee class" emp1 = Employee("Zara", 2000) "This would create second object of Employee class" emp2 = Employee("Manni", 5000)
  • 9. Accessing attributes You access the object's attributes using the dot operator with object. Class variable would be accessed using class name as follows: emp1.displayEmployee() emp2.displayEmployee() print "Total Employee %d" % Employee.empCount Name : Zara , Salary: 2000 Name : Manni , Salary: 5000 Total Employee 2
  • 10. class Employee: 'Common base class for all employees' empCount = 0 def __init__(self, name, salary): self.name = name self.salary = salary Employee.empCount += 1 def displayCount(self): print "Total Employee %d" % Employee.empCount def displayEmployee(self): print "Name : ", self.name, ", Salary: ", self.salary "This would create first object of Employee class" emp1 = Employee("Zara", 2000) "This would create second object of Employee class" emp2 = Employee("Manni", 5000) emp1.displayEmployee() emp2.displayEmployee() print "Total Employee %d" % Employee.empCount
  • 11. Add, Remove or Modify You can add, remove or modify attributes of classes and objects at any time: emp1.age = 22 # Add an 'age' attribute. emp1.age = 18 # Modify 'age' attribute. del emp1.age # Delete 'age' attribute.
  • 12. Add, Remove or Modify Instead of using the normal statements to access attributes, you can use following functions: The getattr(obj, name[, default]) : to access the attribute of object. The hasattr(obj,name) : to check if an attribute exists or not. The setattr(obj,name,value) : to set an attribute. If attribute does not exist, then it would be created. The delattr(obj, name) : to delete an attribute. hasattr(emp1, getattr(emp1, setattr(emp1, delattr(empl, 'age') # Returns true if 'age' attribute exists 'age') # Returns value of 'age' attribute 'age', 8) # Set attribute 'age' at 8 'age') # Delete attribute 'age'
  • 13. Built-In Class Attributes Every Python class keeps following built-in attributes and they can be accessed using dot operator like any other attribute: __dict__ : Dictionary containing the class's namespace. __doc__ : Class documentation string or None if undefined. __name__ : Class name. __module__ : Module name in which the class is defined. This attribute is "__main__" in interactive mode.
  • 14. >>>print >>>print >>>print >>>print "Employee.__doc__:", Employee.__doc__ "Employee.__name__:", Employee.__name__ "Employee.__module__:", Employee.__module__ "Employee.__dict__:", Employee.__dict__ Employee.__doc__: Common base class for all employees Employee.__name__: Employee Employee.__module__: __main__ Employee.__dict__: {'__module__': '__main__', 'displayCount': <function displayCount at 0xb7c84994>, 'empCount': 2, 'displayEmployee': <function displayEmployee at 0xb7c8441c>, '__doc__': 'Common base class for all employees', '__init__': <function __init__ at 0xb7c846bc>}
  • 15. Destroying Objects (Garbage Collection) Python deletes unneeded objects (built-in types or class instances) automatically to free memory space. The process by which Python periodically reclaims blocks of memory that no longer are in use is termed garbage collection. Python's garbage collector runs during program execution and is triggered when an object's reference count reaches zero. An object's reference count changes as the number of aliases that point to it changes. An object's reference count increases when it's assigned a new name or placed in a container (list, tuple or dictionary). The object's reference count decreases when it's deleted with del, its reference is reassigned, or its reference goes out of scope. When an object's reference count reaches zero, Python collects it automatically.
  • 16. Destroying Objects (Garbage Collection) a = 40 b = a c = [b] # Create object <40> # Increase ref. count # Increase ref. count of <40> of <40> del a b = 100 c[0] = -1 # Decrease ref. count # Decrease ref. count # Decrease ref. count of <40> of <40> of <40> You normally won't notice when the garbage collector destroys an orphaned instance and reclaims its space. But a class can implement the special method __del__(), called a destructor, that is invoked when the instance is about to be destroyed. This method might be used to clean up any nonmemory resources used by an instance.
  • 17. Destructor __del__() class Point: def __init__( self, x=0, y=0): self.x = x self.y = y def __del__(self): class_name = self.__class__.__name__ print class_name, "destroyed" pt1 = Point() pt2 = pt1 pt3 = pt1 print id(pt1), id(pt2), id(pt3) # prints the ids of the objects del pt1 del pt2 del pt3 140586269057680 140586269057680 140586269057680 Point destroyed
  • 18. Class Inheritance Instead of starting from scratch, you can create a class by deriving it from a preexisting class by listing the parent class in parentheses after the new class name. The child class inherits the attributes of its parent class, and you can use those attributes as if they were defined in the child class. A child class can also override data members and methods from the parent. class SubClassName (ParentClass1[, ParentClass2, ...]): 'Optional class documentation string' class_suite
  • 19. class Parent: # define parent class parentAttr = 100 def __init__(self): print "Calling parent constructor" def parentMethod(self): print 'Calling parent method' def setAttr(self, attr): Parent.parentAttr = attr def getAttr(self): print "Parent attribute :", Parent.parentAttr
  • 20. class Child(Parent): # define child class def __init__(self): print "Calling child constructor" def childMethod(self): print 'Calling child method' c = Child() c.childMethod() c.parentMethod() c.setAttr(200) c.getAttr() # # # # # instance of child child calls its method calls parent's method again call parent's method again call parent's method Calling child constractor Calling child method Calling parent Method Parent attribute : 200
  • 21. Similar way, you can drive a class from multiple parent classes as follows: class A: ..... # define your class A class B: ..... # define your calss B class C(A, B): ..... # subclass of A and B • You can use issubclass() or isinstance() functions to check a relationships of two classes and instances. • The issubclass(sub, sup) boolean function returns true if the given subclass sub is indeed a subclass of the superclass sup. • The isinstance(obj, Class) boolean function returns true if obj is an instance of class Class or is an instance of a subclass of Class
  • 22. Overriding Methods You can always override your parent class methods. One reason for overriding parent's methods is because you may want special or different functionality in your subclass. class Parent: # define parent class def myMethod(self): print 'Calling parent method' class Child(Parent): # define child class def myMethod(self): print 'Calling child method' c = Child() c.myMethod() Calling child method # instance of child # child calls overridden method
  • 23. Base Overloading Methods __init__ ( self [,args...] ) Constructor (with any optional arguments) Sample Call : obj = className(args) _del__( self ) Destructor, deletes an object Sample Call : del obj __repr__( self ) Evaluatable string representation Sample Call : repr(obj) __str__( self ) Printable string representation Sample Call : str(obj) __cmp__ ( self, x ) Object comparison Sample Call : cmp(obj, x)
  • 24. Data Hiding An object's attributes may or may not be visible outside the class definition. For these cases, you can name attributes with a double underscore prefix, and those attributes will not be directly visible to outsiders. class JustCounter: __secretCount = 0 def count(self): self.__secretCount += 1 print self.__secretCount counter = JustCounter() counter.count() counter.count() print counter.__secretCount
  • 25. 1 2 Traceback (most recent call last): File "test.py", line 12, in <module> print counter.__secretCount AttributeError: JustCounter instance has no attribute '__secretCount' Python protects those members by internally changing the name to include the class name. You can access such attributes as object._className__attrName. If you would replace your last line as following, then it would work for you: ......................... print counter._JustCounter__secretCount When the above code is executed, it produces the following result: 1 2 2
  • 26. l References SPSE securitytube training by Vivek Ramachandran SANS Python for Pentesters (SEC573) Violent python Security Power Tools python-course.eu ----------------------------http://www.python-course.eu/object_oriented_programming.php http://www.tutorialspoint.com/python/python_classes_objects.htm
  • 27. This work is licensed under the Creative Commons Attribution-NoDerivs 3.0 Unported License. To view a copy of this license, visit http://creativecommons.org/licenses/by-nd/3.0/ Copyright 2013 Mohammad Reza Kamalifard All rights reserved. Go to Kamalifard.ir/pysec101 to Download Slides and Course martials .