object oriented programming
play

Object oriented programming classes, objects self construction - PowerPoint PPT Presentation

Object oriented programming classes, objects self construction encapsulation Object Orie iented Programming Programming paradigm (example of other paradigms are functional programming where the focus is on functions, lambdas


  1. Object oriented programming  classes, objects  self  construction  encapsulation

  2. Object Orie iented Programming  Programming paradigm (example of other paradigms are functional programming where the focus is on functions, lambda’s and higher order functions, and imperative programming focusing on sequences of statements changing the state of the program)  Supported by many programming languages, including Python  Core concepts are objects , methods and classes , allowing one to construct abstract data types , i.e. user defined types where objects have states and one can construct methods to manipulate these objects, defining the interface of the object to the rest of the program

  3. Object Orie iented Programming - His istory ry (sele lected programming la languages) Mid 1960’s Simular 67 (Ole-Johan Dahl and Kristen Nygaard, Norsk Regnesentral Oslo) Introduced classes, objects, virtual procedures 1970’s Smalltalk (Alan Kay, Dan Ingalls, Adele Goldberg, Xerox PARC) Object-oriented programming, fully dynamic system (opposed to the static nature of Simula 67 ) 1985 Eiffel (Bertrand Meyer, Eiffel Software) Focus on software quality, capturing the full software cycle 1985 C++ (Bjarne Stroustrup [MSc Aarhus 1975], AT&T Bell Labs) 1995 Java (James Gosling, Sun) 2000 C# (Anders Hejlsberg (studied at DTU) et al., Microsoft) Byte Magazine, 1991 Python (Guido van Rossum) August 1981 Multi-paradigm programming language, fully dynamic system Note : Java, C++, Python, C# are among Top 5 on TIOBE January 2018 index of popular languages (only non OO language among Top 5 was C)

  4. Desig ign Patterns (not part of this is course) reoccuring patterns in in software design Java cookbook 2003 Java textbook 2004 Java textbook 2010 The Classic book 1994 A very alternative book 2004 (C++ cookbook) (Java, very visual) ...and many more books on the topic of Design Patterns, also with Python

  5. Some known cla lasses, , objects, and methods Python shell Type / class Objects Methods (examples) > 5 + 7 # + calls .__add__(7) int 0 -7 42 1234567 .__add__(x), .__eq__(x), .__str__() | 12 str "" 'abc' '12_ a' .isdigit(), .lower(), .__len__() > (5).__add__(7) # eq. to 5 + 7 | 12 list [] [1,2,3] ['a', 'b', 'c'] .append(x), .clear(), .__mul__(x) > (7).__eq__(7) # eq. to 7 == 7 dict {'foo' : 42, 'bar' : 5} .keys(), .get(), .__getitem__(x) | True > 'aBCd'.lower() NoneType None .__str__() | 'abcd' > 'abcde'.__len__() # .__len__() called by len(...) | 5 Example : > ['x', 'y'].__mul__(2) The function str(obj) calls the methods | ['x', 'y', 'x', 'y'] > {'foo' : 42}.__getitem__('foo') obj.__str__() or obj.__repr__() , if # eq. to {'foo' : 42}['foo'] obj.__str__ does not exist. | 42 > None.__str__() # used by str(...) | 'None'

  6. Cla lasses and Objects objects (instances) class student_DD (type) data name = 'Donald Duck' id = '107' attributes class Student set_name(name) student_MM set_id(student_id) class name = 'Mickey Mouse' methods id = '243' get_name() get_id() student_SM name = 'Scrooge McDuck' creating instances id = '777' of class Student using constructor Student() docs.python.org/3/tutorial/classes.html

  7. ing the Student cla Usin lass student.py Python shell | Donald Duck has id 107 student_DD = Student() | Mickey Mouse has id 243 student_MM = Student() | Scrooge McDuck has id 777 student_SM = Student() student_DD.set_name('Donald Duck') student_DD.set_id('107') Call constructor for class student_MM.set_name('Mickey Mouse') Student . Each call returns student_MM.set_id('243') a new Student object. student_SM.set_name('Scrooge McDuck') student_SM.set_id('777') Call class methods to set students = [student_DD, student_MM, student_SM] data attributes for student in students: print(student.get_name(), Call class methods to read "has student id", data attributes student.get_id())

  8. lass Student cla name of class class definitions start with the keyword student.py the first argument to all class methods is class a reference to the object called upon, class Student: and by convention the first argument def set_name(self, name): often called mutator should be named self . self.name = name methods , since they use self. to access an attribute of change the state of def set_id(self, student_id): an object or class method (attribute an object self.id = student_id reference) def get_name(self): often called accessor return self.name methods , since they only read the state of def get_id(self): an object return self.id Note In other OO programming languages class method definitions start with keyword def the explicit reference to self is not required (like normal function definitions) (in Java and C++ self is the keyword this )

  9. When are object attrib ibutes in initialized ? Python shell > x = Student() > x.set_name("Gladstone Gander") > x.get_name() | 'Gladstone Gander' > x.get_id() | AttributeError: 'Student' object has no attribute 'id'  Default behaviour of a class is that instances are created with no attributes defined, but has access to the attributes / methods of the class  In the previous class Student both the name and id attributes were first created when set by set_name and set_id , respectively

  10. lass construction and __init__ Cla  When an object is created using class_name () it’s initializer metod __init__ is called.  To initialize objects to contain default values, (re)define this function. student.py class Student: def __init__(self): self.name = None self.id = None ... previous method definitions ...

  11. Question – What is is printed ? Python shell a) 1 > class C: b) 2 def __init__(self): self.v = 0 c) 3 def f(self): self.v = self.v + 1 d) 4 return self.v > x = C() e) 5 > print(x.f() + x.f()) f) Don’t know

  12. __init__ wit ith arguments  When creating objects using class_name ( args ) the initializer method is called as __init__( args )  To initialize objects to contain default values, (re)define this function to do the appropriate initialization student.py Python shell class Student: > p = Student("Pluto") def __init__(self, name=None, student_id=None): > print(p.get_name()) | Pluto self.name = name self.id = student_id > print(p.get_id()) | None ... previous method definitions ...

  13. Are accessor and and mutator methods necessary ry ? pair.py No - but good programming style class pair: """ invariant: the_sum = a + b """ def __init__(self, a, b): constructor Python shell self.a = a > p = pair(3,5) self.b = b > p.sum() self.the_sum = self.a + self.b | 8 def set_a(self, a): > p.set_a(4) self.a = a mutator > p.sum() self.the_sum = self.a + self.b | 9 def set_b(self, b): > p.a # access object attribute self.b = b | 4 self.the_sum = self.a + self.b accessor > p.b = 0 # update object attribute > p.sum() def sum(self): | 9 # the_sum not updated return self.the_sum

  14. Defining order on in instances of a cla lass (sorting)  To define an order on objects, define student.py the “<“ operator by defining __lt__ class Student: def __lt__(self, other): return self.id < other.id  When ” < ” is defined a list L of ... previous method definitions ... students can be sorted using Python shell sorted(L) and L.sort() > student_DD < student_MM | True > [x.id for x in students] | ['243', '107', '777'] > [x.id for x in sorted(students)] | ['107', '243', '777']

  15. Converting objects to str  To be able to convert an object to student.py a string using str( object ) , class Student: define the method __str__ def __str__(self): return ("Student['%s', '%s']" % (self.name, self.id))  __str__ is e.g. used by print ... previous method definitions ... Python shell > print(student_DD) # without __str__ | <__main__.Student object at 0x03AB6B90> > print(student_DD) # with __str__ | Student['Donald Duck', '107']

  16. Nothing is is private in in Pyt ython private_attributes.py  Python does not support hiding class My_Class: def set_xy(self, a, b): information inside objects self._x = a  Recommendation is to start self._y = b attributes with underscore, if these def get_sum(self): return self._x + self._y should be used only locally inside a class, i.e. be considered ”private” obj = My_Class() obj.set_xy(3, 5)  PEP8: “ Use one leading underscore only for non-public methods and print("Sum =", obj.get_sum()) print("_x =", obj._x) instance variables“ Python shell | Sum = 8 | _x = 3

  17. private_attributes.cpp C++ ++ private, public #include <iostream> using namespace std; class My_Class { C++ vs Python private: 4 int x, y; 5 6 1. argument types public: 4 8 1 1 void set_xy(int a, int b) { 2. return types 2 3 x = a; void = NoneType 3. y = b }; 8 private / public 4. int get_sum() { 2 access specifier return x + y; }; 5. types of data attributes }; 6. data attributes must main() { be defined in class My_Class obj; 7 obj.set_xy(3, 5); 7. object creation cout << "Sum = " << obj.get_sum() << endl; no self in class methods 8. cout << "x = " << obj.x << endl; } invalid reference

Download Presentation
Download Policy: The content available on the website is offered to you 'AS IS' for your personal information and use only. It cannot be commercialized, licensed, or distributed on other websites without prior consent from the author. To download a presentation, simply click this link. If you encounter any difficulties during the download process, it's possible that the publisher has removed the file from their server.

Recommend


More recommend