The meaning of the interface here is that Observable actually acts as an abstract class. A large number of components in Extjs inherit from this class. This class provides some basic methods such as addEvents, addlistener, fireEvent, etc.
This article does not introduce how to use extjs components to respond to events, but introduces some implementation principles of Extjs events. The entire Extjs framework is developed in an object-oriented manner, so it is also important to understand inheritance in Javascript. My previous article was also a preparation for this article. In addition, there is a well-written series in the blog park Detailed explanation of JavaScript inheritance. He is mainly based on two articles by Douglas Crockford. In fact, the principles for implementing inheritance are similar, so you can read them for reference. The function inherited by Extjs is a very core function Ext.extend. The extend method has two refactored versions. The first one accepts two parameters, and the first one is extend(Function superclass, Object overrides) , the second one is extend(Function subclass, Function superclass,Object overrides): Function, the second version is based on subclass. Superclass is the constructor of the superclass, overrides is an object, and the attributes inside are to override the attributes of the parent class. A subclass that inherits a parent class has all the methods in the prototype of the parent class. And subclasses can override the methods of the parent class (override). Furthermore, each object of the subclass can also override the methods of the parent class. In fact, I think this function has no effect. The effect of modifying the prototype is equivalent. Of course, the purpose of extjs is to completely shield the magical thing of prototype, so that programmers can process Javascript like other languages. Of course, even so, its inheritance is still somewhat different from ordinary inheritance. Let’s take a look at an example first. Prepare a Person class
this.fn = function() { alert('I am a person ') };
}
Person.prototype.print=function(){ alert('I am a person');}
Person.prototype.showAge = function() { alert('I am older than 0'); }
Person.prototype.showName = function() { alert('Show Name:' this.name) };
var per = new Person('Tom');
per.showName(); Subclass: Student = function(id) {
this.id = id;
}
Student.prototype.showID = function() { alert(this.id); } //Methods of subclasses
Inherited:
stu.showName(); !!No result! stu has no definition of name stu.fn(); !!No result stu.showID(); !!!Still no result At this point we have discovered some differences: the content in the constructor of the parent class will not be inherited. , the constructor of the parent class will not be called, and the existing methods of the subclass (in prototype) will also be lost! Continue reading and replace the code below Ext.extend with:
stu.override({ print : function() { alert('I am a bad student,but I won't affect others'); } });
stu.print();
stu.showAge();
var stu2 = new Student();
stu2.print();
The functions here can all be output as expected. showAge is the executed method of the parent class, and stu.print is the executed stu The method specified in .override, while stu2 executes the method specified in Student.override. At this point, we can roughly guess how extend is implemented. Let’s look at its real source code below. This method is located in Ext.js. The code and comments are as follows: extend : function(){
// inline overrides
var io = function(o){ //Pay attention to this method. You don’t know what this is just by looking at it. The following io will be assigned to sbp.override , that is, the prototype of the subclass
for(var m in o){ //The override of each subclass object will point to this method. If the subclass object calls override, then this is the object of the subclass. . That is,
this[m] = o[m]; //The effect shown by stu.override in the above example is only valid for the current object. It can be seen from here that override is not only an override in the traditional sense, it can also be used
} // to add new methods.
};
var oc = Object.prototype.constructor;
return function(sb, sp, overrides){
if(Ext.isObject(sp)){ // is in Detect which version of the refactoring function is currently in use. If sp actually overrides, do some substitutions so that the actual meaning of the variable matches its name.
overrides = sp;
sp = sb;
sb = overrides.constructor != oc ? overrides.constructor : function(){sp.apply(this, arguments);}; //Didn’t read this Got it...
}
var F = function(){},
sbp,
spp = sp.prototype;
F.prototype = spp; //F is the parent A "clean" copy of a class. Clean means that it does not bring over the properties defined inside the constructor of the parent class. //For example Person=function() // {this.privateFn=new function{ some code goes here}} //Then this privateFn is invisible to subclasses, so the attributes defined using this in the constructor are equivalent to Private variables of the class.
sbp = sb.prototype = new F(); //Set the prototype of the subclass to the prototype of the parent class, the core step of inheritance. sbp.constructor=sb; //Set the correct constructor pointer, see JavaScript inheritance details
sb.superclass=spp; //Set the parent class
if(spp.constructor == oc){ //Didn’t read it Got it..., what is this for? Please give me some advice
spp.constructor=sp;
}
sb.override = function(o){ //The rewriting method of the subclass, this rewriting method is the rewriting method of the function. It modifies the prototype.
Ext.override(sb, o); //See the end.
};
sbp.superclass = sbp.supr = (function(){ //Set the parent class of the prototype
return spp;
});
sbp.override = io; / / Provide an override method to the prototype of the subclass, so that a single entity can be overridden, and it modifies the entity object. Note the difference from the override of sb above.
Ext.override(sb, overrides); //Rewrite
sb.extend = function(o){return Ext.extend(sb, o);}; //Provide the extend method to subclasses to Implement multiple inheritance
return sb; //Return subclasses.
};
}();
The following is the code of Ext.override, which is relatively clear. Compared with the inline override, it is the modified prototype:override:
function(origclass, overrides){
if(overrides) {
var p = origclass.prototype;
Ext.apply(p, overrides);
if(Ext.isIE && overrides.hasOwnProperty('toString')){ // What is this? What's special about IE?
p.toString = overrides.toString;
}
}
}
Now you can start to formally introduce the event model of Extjs. Similar to events in other languages, you must first define an event for a class. Events in other languages (such as C#) generally have a special event type. The event type can actually be regarded as an array of delegates. Of course, the delegate is actually a function. Add The time listener (listener) just wants to add a delegate (function) to the delegate array. The so-called trigger event is to execute all the functions in the array. Javascript is similar, except that Javascript's functions are much more powerful and flexible than those languages, so there is no need for an event type. Javascript events look like a string (it should also retain an array internally). You can add events through the Observale.addEvents method, trigger events through Observale.fireEvent, and add event listeners through Observale.addListner. Here is an example that makes little sense but illustrates the problem.
Odder = function(min, max) {
this.min = min;
this.max = max;
this.addEvents('onFindOdd');
}
Ext.extend(Odder, Ext.util.Observable, { run:
function() {
for (var i = this.min; i if (i % 2 != 0) {
this.fireEvent('onFindOdd ',i);
}
}
}
});
var p = new Odder(4, 8);
p.addListener('onFindOdd',function( n){alert(n);});
p.run();
Odder is a class that passes in a range through a constructor, then searches for all odd numbers in the range, and triggers an event every time it finds one. I add an event handler to it to alert the odd numbers it finds. It should be noted that the parameters of the event handler here can only be kept consistent by the programmer. It is not as strongly typed as a delegate.
Note that I did not use the example on the official website:
Employee = Ext.extend(Ext.util.Observable, {
constructor: function(config){
this.name = config.name;
this.addEvents({
" fired" : true,
"quit" : true
});
// Copy configured listeners into *this* object so that the base class's
// constructor will add them.
this.listeners = config.listeners;
// Call our superclass constructor to complete construction process.
Employee.superclass.constructor.call(config)
}
}) ;This could then be used like this:
var newEmployee = new Employee({
name: employeeName,
listeners: {
quit: function() {
// By default, " this" will be the object that fired the event.
alert(this.name " has quit!");
}
}
});
i I think there is an article in the example on the official website. Its overloaded item contains the constructor attribute, which gives the impression that the constructor of the parent class is overloaded, and then the subclass will call this constructor to create it. In fact, it is not Yes, it changes the behavior of Javascript itself. This is related to the few lines of code I marked above that I did not understand. More discussion next time.

解决PHP报错:继承父类时遇到的问题在PHP中,继承是一种重要的面向对象编程的特性。通过继承,我们能够重用已有的代码,并且能够在不修改原有代码的情况下,对其进行扩展和改进。尽管继承在开发中应用广泛,但有时候在继承父类时可能会遇到一些报错问题,本文将围绕解决继承父类时遇到的常见问题进行讨论,并提供相应的代码示例。问题一:未找到父类在继承父类的过程中,如果系统无

继承是一个概念,它允许我们从一个类访问另一个类的属性和行为。被继承方法和成员变量的类被称为超类或父类,而继承这些方法和成员变量的类被称为子类或子类。在Java中,我们使用“extends”关键字来继承一个类。在本文中,我们将讨论使用继承来计算定期存款和定期存款的利息的Java程序。首先,在您的本地机器IDE中创建这四个Java文件-Acnt.java−这个文件将包含一个抽象类‘Acnt’,用于存储账户详情,如利率和金额。它还将具有一个带有参数‘amnt’的抽象方法‘calcIntrst’,用于计

如何在PHP中使用多态和继承来处理数据类型引言:在PHP中,多态和继承是两个重要的面向对象编程(OOP)概念。通过使用多态和继承,我们可以更加灵活地处理不同的数据类型。本文将介绍如何在PHP中使用多态和继承来处理数据类型,并通过代码示例展示它们的实际应用。一、继承的基本概念继承是面向对象编程中的一种重要概念,它允许我们创建一个类,该类可以继承父类的属性和方法

PHP中的封装技术及应用封装是面向对象编程中的一个重要概念,它指的是将数据和对数据的操作封装在一起,以便提供对外部程序的统一访问接口。在PHP中,封装可以通过访问控制修饰符和类的定义来实现。本文将介绍PHP中的封装技术及其应用场景,并提供一些具体的代码示例。一、封装的访问控制修饰符在PHP中,封装主要通过访问控制修饰符来实现。PHP提供了三个访问控制修饰符,

继承:继承是面向对象编程(OOP)中的一个基本概念,它允许类从其他类继承属性和行为。它是一种基于现有类创建新类的机制,促进代码重用并建立类之间的层次关系。继承基于"父子"或"超类-子类"关系的概念。从中继承的类被称为超类或基类,而继承超类的类被称为子类或派生类。子类继承其超类的所有属性(变量)和方法(函数),还可以添加自己独特的属性和方法或覆盖继承的属性和方法继承的类型在面向对象编程(OOP)中,继承是一个基本概念,它允许类从其他类中继承属性和行为。它促进

如何使用Java强制继承代理final类?在Java中,final关键字用于修饰类、方法和变量,表示它们不可被继承、重写和修改。然而,在某些情况下,我们可能需要强制继承一个final类,以实现特定的需求。本文将讨论如何使用代理模式来实现这样的功能。代理模式是一种结构型设计模式,它允许我们创建一个中间对象(代理对象),该对象可以控制对另一个对象(被代理对象)的

PHP是一种服务器端编程语言,自PHP5之后开始支持面向对象编程(OOP)。OOP的核心思想是将数据和行为封装在对象中,以提高程序的可维护性和可扩展性。在PHP中,面向对象编程具有三大特性:继承、多态与接口。一、继承继承是指一个类可以从另一个类中继承属性和方法。被继承的类称为父类或基类,继承的类称为子类或派生类。子类可以通过继承获得父类中的属性和方法,并且可

如何在Go语言中实现封装和继承封装和继承是面向对象编程中的两个重要概念,它们可以使代码更加模块化和可维护,同时也为代码的复用提供了便利。本文将介绍在Go语言中如何实现封装和继承,并提供相应的代码示例。封装封装是将数据和功能进行封装,隐藏实现的细节,只暴露必要的接口给外部使用。在Go语言中,封装是通过导出和非导出标识符来实现的。首字母大写的标识符可以被其他包访


Hot AI Tools

Undresser.AI Undress
AI-powered app for creating realistic nude photos

AI Clothes Remover
Online AI tool for removing clothes from photos.

Undress AI Tool
Undress images for free

Clothoff.io
AI clothes remover

AI Hentai Generator
Generate AI Hentai for free.

Hot Article

Hot Tools

Atom editor mac version download
The most popular open source editor

MantisBT
Mantis is an easy-to-deploy web-based defect tracking tool designed to aid in product defect tracking. It requires PHP, MySQL and a web server. Check out our demo and hosting services.

Dreamweaver Mac version
Visual web development tools

PhpStorm Mac version
The latest (2018.2.1) professional PHP integrated development tool

Safe Exam Browser
Safe Exam Browser is a secure browser environment for taking online exams securely. This software turns any computer into a secure workstation. It controls access to any utility and prevents students from using unauthorized resources.
