javascript - Miembros privados al extender una clase usando ExtJS
private private-members (3)
Hice algunas investigaciones sobre el foro ExtJS con respecto a los métodos y campos privados dentro de una clase extendida , y no pude encontrar ninguna respuesta real a esto.
Y cuando digo una clase extendida me refiero a algo como esto:
Ext.ux.MyExtendedClass = Ext.extend(Ext.util.Observable, {
publicVar1: ''Variable visible from outside this class'',
constructor: function(config) { this.addEvents("fired"); this.listeners = config.listeners; }, // to show that I need to use the base class
publicMethod1: function() { return ''Method which can be called form everywhere''; },
publicMethod2: function() { return this.publicMethod1() + '' and '' + this.publicVar1; } // to show how to access the members from inside another member
});
El problema aquí es que todo es público. Entonces, ¿cómo agrego una nueva variable o método dentro del alcance de MyExtendedClass que no se puede acceder desde afuera pero que se puede acceder mediante los métodos públicos?
Uso algo como lo siguiente.
var toolbarClass = Ext.extend( Ext.Container,
{
/**
* constructor (public)
*/
constructor: function( config )
{
config = config || {};
// PRIVATE MEMBER DATA ========================================
var accountId = Ext.id( null, ''ls-accountDiv-'');
// PUBLIC METHODS ========================================
this.somePublicMethod = function(){
console.log( accountId );
};
...
@Protron: ¡Tu respuesta es asombrosa! ¡Gracias! Fui un poco más allá y creé mi propio método de extensión de clase.
/**
* Instead of call Ext.extend method to create your new class extensions, you can use
* My.extend. It is almost the same thing, but you pass a function as body for your new class, not
* an object. Ex.:
*
* MyNewExtCompoment = My.extend(Ext.Compoment, function() {
* var myPrivateVar = 0;
*
* //private
* function reset() {
* myPrivateVar = 0;
* }
*
* //public
* function add(value) {
* try{
* myPrivateVar = myPrivateVar + value;
* } catch(err){
* reset();
* }
* return myPrivateVar;
* }
*
* return {
* add: add
* }
* }, ''ux-my-new-component'');
*
* @param extendedClass my extended class
* @param newClassBodyFunction my new class body
* @param newClassXtype (optional) the xtype of this new class
*/
My.extend = function(extendedClass, newClassBodyFunction, newClassXtype) {
var newClass = Ext.extend(extendedClass, newClassBodyFunction.call());
if(newClassXtype) {
Ext.reg(newClassXtype, newClass);
}
return newClass;
}
De esta forma podemos ahorrar algo de "()" adicional, y tenemos el "Ext.reg" llamado gratis. [] s
El siguiente ejemplo muestra la forma del escenario superior para definir los miembros privados y públicos privilegiados . Pero también muestra cómo definir miembros estáticos privados (también llamados miembros de clase ) y miembros públicos no privilegiados . Usando estos dos últimos en lugar de los privilegios, reduciremos el tiempo de inicialización ya que no se analizan cada vez que creamos un nuevo objeto de su clase:
Ext.ux.MyExtendedClass = Ext.extend(Ext.util.Observable,
(function() {
// private static fields (can access only to scope: minimum privileges).
var privStaticVar = 0;
// private static functions (can access only to scope and arguments, but we can send them the scope by param)
var privateFunc1 = function(me) { return me.name + '' -> ClassVar:'' + privStaticVar; };
var privateFunc2 = function(me) { return me.publicMethod1() + '' InstanceVar:'' + me.getPrivateVar(); };
return {
constructor: function(config) {
// privileged private/public members (can access to anything private and public)
var privateVar = config.v || 0;
var privInstFunc = function() { privateVar += 1; };
this.name = config.name;
this.incVariables = function(){ privInstFunc(); privStaticVar += 1; };
this.getPrivateVar = function(){ return privateVar; };
},
// public members (can access to public and private static, but not to the members defined in the constructor)
publicMethod1: function() { this.incVariables(); return privateFunc1(this); },
publicMethod2: function() { return privateFunc2(this); }
};
}())
);
function test() {
var o1 = new Ext.ux.MyExtendedClass({name: ''o1'', v: 0});
var o2 = new Ext.ux.MyExtendedClass({name: ''o2'', v: 10});
var s = o1.publicMethod2() + ''<br>'' + o1.publicMethod2() + ''<br><br>'' + o2.publicMethod2() + ''<br>'' + o2.publicMethod2();
Ext.get("output").update(s);
}
<link href="//cdnjs.cloudflare.com/ajax/libs/extjs/3.4.1-1/resources/css/ext-all.css" rel="stylesheet"/>
<script src="//cdnjs.cloudflare.com/ajax/libs/extjs/3.4.1-1/adapter/ext/ext-base.js"></script>
<script src="//cdnjs.cloudflare.com/ajax/libs/extjs/3.4.1-1/ext-all.js"></script>
<p>Click the button to instantiate 2 objects and call each object 2 times:</p>
<button onclick="test();">Test</button>
<p>You can click the button again to repeat. You''ll see that the static variable keep increasing its value.</p>
<p> </p>
<div id="output"></div>