Презентация Object oriented programming in python онлайн

На нашем сайте вы можете скачать и просмотреть онлайн доклад-презентацию на тему Object oriented programming in python абсолютно бесплатно. Урок-презентация на эту тему содержит всего 36 слайдов. Все материалы созданы в программе PowerPoint и имеют формат ppt или же pptx. Материалы и темы для презентаций взяты из открытых источников и загружены их авторами, за качество и достоверность информации в них администрация сайта не отвечает, все права принадлежат их создателям. Если вы нашли то, что искали, отблагодарите авторов - поделитесь ссылкой в социальных сетях, а наш сайт добавьте в закладки.



Оцените!
Оцените презентацию от 1 до 5 баллов!
  • Тип файла:
    ppt / pptx (powerpoint)
  • Всего слайдов:
    36 слайдов
  • Для класса:
    1,2,3,4,5,6,7,8,9,10,11
  • Размер файла:
    351.00 kB
  • Просмотров:
    92
  • Скачиваний:
    2
  • Автор:
    неизвестен



Слайды и текст к этой презентации:

№1 слайд
Object Oriented Programming
Содержание слайда: Object Oriented Programming in Python

№2 слайд
Agenda Introduction Objects,
Содержание слайда: Agenda Introduction Objects, Types and Classes Class Definition Class Instantiation Constructor and Destructor Lifetime of an Object Encapsulation and Access to Properties Polymorphism Relations between classes Inheritance and Multiple Inheritance "New" and "Classic" Classes Metaclasses Aggregation. Containers. Iterators Methods Methods Static Methods Class Methods Multimethods (Multiple Dispatch) Object Persistence

№3 слайд
Introduction. It s all
Содержание слайда: Introduction. It’s all objects… Everything in Python is really an object. We’ve seen hints of this already… These look like Java or C++ method calls. New object classes can easily be defined in addition to these built-in data-types. In fact, programming in Python is typically done in an object oriented fashion.

№4 слайд
Objects, names and references
Содержание слайда: Objects, names and references All values are objects A variable is a name referencing an object An object may have several names referencing it Important when modifying objects in-place! You may have to make proper copies to get the effect you want For immutable objects (numbers, strings), this is never a problem

№5 слайд
Class Definition For clarity,
Содержание слайда: Class Definition For clarity, in the following discussion we consider the definition of class in terms of syntax. To determine the class, you use class operator: In a class can be basic (parent) classes (superclasses), which (if any) are listed in parentheses after the defined class. The smallest possible class definition looks like this:

№6 слайд
Class Definition In the
Содержание слайда: Class Definition In the terminology of the Python members of the class are called attributes, functions of the class - methods and fields of the class - properties (or simply attributes). Definitions of methods are similar to the definitions of functions, but (with some exceptions, of which below) methods always have the first argument, called on the widely accepted agreement self: Definitions of attributes - the usual assignment operators that connect some of the values with attribute names:

№7 слайд
Class Definition In Python a
Содержание слайда: Class Definition In Python a class is not something static after the definition, so you can add attributes and after:

№8 слайд
Class Instantiation To
Содержание слайда: Class Instantiation To instantiate a class, that is, create an instance of the class, simply call the class name and specify the constructor parameters: __init__ is the default constructor. self refers to the object itself, like this in Java.

№9 слайд
Class Instantiation By
Содержание слайда: Class Instantiation By overriding the class method __new__, you can control the process of creating an instance of the class. This method is called before the method __init__ and should return a new instance, or None (in the latter case will be called __new__ of the parent class). Method __new__ is used to control the creation of unchangeable (immutable) objects, managing the creation of objects in cases when __init__ is not invoked.

№10 слайд
Class Instantiation The
Содержание слайда: Class Instantiation The following code demonstrates one of the options for implementing Singleton pattern:

№11 слайд
Constructor and Destructor
Содержание слайда: Constructor and Destructor Special methods are invoked at instantiation of the class (constructor) and disposal of the class (destructor). In Python is implemented automatic memory management, so the destructor is required very often, for resources, that require an explicit release. The next class has a constructor and destructor:

№12 слайд
Lifetime of an object Without
Содержание слайда: Lifetime of an object Without using any special means lifetime of the object defined in the Python program does not go beyond of run-time process of this program. To overcome this limitation, there are different possibilities: from object storage in a simple database (shelve), application of ORM to the use of specialized databases with advanced features (eg, ZODB, ZEO). All these tools help make objects persistent. Typically, when write an object it is serialized, and when read - deserializated.

№13 слайд
Encapsulation and access to
Содержание слайда: Encapsulation and access to properties Encapsulation is one of the key concepts of OOP. All values in Python are objects that encapsulate code (methods) & data and provide users a public interface. Methods and data of an object are accessed through its attributes. Hiding information about the internal structure of the object is performed in Python at the level of agreement among programmers about which attributes belong to the public class interface, and which - to its internal implementation. A single underscore in the beginning of the attribute name indicates that the method is not intended for use outside of class methods (or out of functions and classes of the module), but the attribute is still available by this name. Two underscores in the beginning of the name give somewhat greater protection: the attribute is no longer available by this name. The latter is used quite rarely.

№14 слайд
Encapsulation and access to
Содержание слайда: Encapsulation and access to properties There is a significant difference between these attributes and personal (private) members of the class in languages like C++ or Java: attribute is still available, but under the name of the form _ClassName__AttributeName, and each time the Python will modify the name, depending on the instance of which class is handling to attribute. Thus, the parent and child classes can have an attribute name, for example, __f, but will not interfere with each other.

№15 слайд
Encapsulation and access to
Содержание слайда: Encapsulation and access to properties Access to the attribute can be either direct: …Or using the properties with the specified methods for getting, setting and removing an attribute:

№16 слайд
Encapsulation and access to
Содержание слайда: Encapsulation and access to properties …Or using the properties with the specified methods for getting, setting and removing an attribute:

№17 слайд
Encapsulation and access to
Содержание слайда: Encapsulation and access to properties There are two ways to centrally control access to attributes. The first is based on method overloading __getattr__(), __setattr__(), __delattr__(), and the second - the method __getattribute__(). The second method helps to manage reading of the existing attributes. These methods allow you to organize a fully dynamic access to the attributes of the object or that is used very often, and imitation of non-existent attributes. According to this principle function, for example, all of RPC for Python, imitating the methods and properties that are actually existing on the remote server.

№18 слайд
Polymorphism In the compiled
Содержание слайда: Polymorphism In the compiled programming languages, polymorphism is achieved by creating virtual methods, which, unlike non-virtual can be overload in a descendant. In Python all methods are virtual, which is a natural consequence of allowing access at run time.

№19 слайд
Polymorphism Explicitly
Содержание слайда: Polymorphism Explicitly specifying the name of the class, you can call the method of the parent (as well as any other object): In general case to get the parent class the function super is applied:

№20 слайд
Polymorphism Virtual Methods
Содержание слайда: Polymorphism: Virtual Methods Using a special provided exception NotImplementedError, you can simulate pure virtual methods:

№21 слайд
Polymorphism Virtual Methods
Содержание слайда: Polymorphism: Virtual Methods Or, using a python decorator:

№22 слайд
Polymorphism Changing
Содержание слайда: Polymorphism Changing attribute __class__, you can move an object up or down the inheritance hierarchy (as well as to any other type): However, in this case, no type conversions are made, so care about data consistency remains entirely on the programmer.

№23 слайд
Inheritance and Multiple
Содержание слайда: Inheritance and Multiple Inheritance Python supports both single inheritance and multiple, allowing the class to be derived from any number of base classes: In Python (because of the "duck typing" ), the lack of inheritance does not mean that the object can not provide the same interface.

№24 слайд
quot New quot and quot
Содержание слайда: "New" and "Classic" Classes In versions prior to 2.2, some object-oriented features of Python were noticeably limited. Starting with version 2.2, Python object system has been significantly revised and expanded. However, for compatibility with older versions of Python, it was decided to make two object models: the "classical" type (fully compatible with old code) and "new". In version Python 3.0 support "old" classes will be removed. To build a "new" class is enough to inherit it from other "new". If you want to create a "pure" class, you can inherit from the object - the parent type for all "new" classes. All the standard classes - classes of "new" type.

№25 слайд
Settlement of access to
Содержание слайда: Settlement of access to methods and fields Behind a quite easy to use mechanism to access attributes in Python lies a fairly complex algorithm. Below is the sequence of actions performed by the interpreter when resolving object.field call (search stops after the first successfully completed step, otherwise there is a transition to the next step): If the object has method __getattribute__, then it will be called with parameter 'field' (or __setattr__ or __delattr__ depending on the action over the attribute) If the object has field __dict__, then object.__dict__['field'] is sought If object.__class__ has field __slots__, a 'field' is sought in object.__class__.__slots__ Checking object.__class__.__dict__['fields'] Recursive search is performed on __dict__ of all parent classes If the object has method __getattr__, then it is called with a parameter 'field' An exception AttributeError is roused.

№26 слайд
Aggregation. Containers.
Содержание слайда: Aggregation. Containers. Iterators Aggregation, when one object is part of another, or «HAS-A» relation, is implemented in Python using references. Python has some built-in types of containers: list, dictionary, set. You can define your own container classes with its own logic to access stored objects. The following class is an example of container-dictionary, supplemented by the possibility of access to the values using the syntax of access to attributes:

№27 слайд
Aggregation. Containers.
Содержание слайда: Aggregation. Containers. Iterators Here's how it works:

№28 слайд
Metaclasses I s not always
Содержание слайда: Metaclasses I’s not always enough to have ordinary capabilities of object-oriented programming. In some cases you want to change the character of the class system: extend the language with new types of classes, change the style of interaction between the classes and the environment, add some additional aspects that affect all classes used in applications, etc. When declare a metaclass, we can take class type as a basis. For example:

№29 слайд
Metaclasses
Содержание слайда: Metaclasses

№30 слайд
Methods Syntax of a method
Содержание слайда: Methods Syntax of a method has no difference from the description of a function, except for its position within a class and specific first formal parameter self, using which the inside of the method can be invoked the class instance itself (the name of self is a convention that Python developers follow to):

№31 слайд
Static Methods
Содержание слайда: Static Methods

№32 слайд
Class Methods
Содержание слайда: Class Methods

№33 слайд
Multimethods Multiple Dispatch
Содержание слайда: Multimethods (Multiple Dispatch)

№34 слайд
Object Persistence
Содержание слайда: Object Persistence

№35 слайд
References http
Содержание слайда: References http://docs.python.org/tutorial/classes.html Объектно-ориентированное программирование на Питоне OOP in Python after 2.2 Python 101 - Introduction to Python Python Basic Object-Oriented Programming

№36 слайд
Questions?
Содержание слайда: Questions?

Скачать все slide презентации Object oriented programming in python одним архивом: