在传统的OOP语言中,我们通常使用private / public来实现数据封装。
在Javascript中,不再有私人或公共;有人告诉我;通过使用闭包,可以实现数据封装。我想知道如何以及后面的逻辑是什么?
答案 0 :(得分:1)
您可以通过这种方式将数据封装在“类”中(在JavaScript 6之前没有真正的类)
var yourClass = function() {
var privateProp = 'sometext'; //private prop
this.prop = 1; //public
this.getPrivateProp = function() {
return privateProp; //access to your private prop with a closure
}
}
var test = new yourClass();
//when you use 'new', everything in 'this' is returned in your object.
//'privateProp' is not in 'this' but 'getPrivateProp' is.
//You got your private data not directly accessible from outside.
test.prop; // 1
test.privateProp;//undefined
test.getPrivateProp();// 'sometext'
答案 1 :(得分:0)
实际上并没有创建真正的私人成员。
检查以下代码:
function A() {
var doStuff1 = function() { };
this.doStuff2 = function() {
doStuff1();
};
};
var instance = new A();
instance.doStuff2();
由于doStuff2
被声明并添加到this
,它是A
实例的一部分,而doStuff1
被声明为构造函数中的局部变量,因此,它是只能在同一构造函数中使用闭包进行访问。
BTW我不喜欢这种模式,因为当你不使用原型继承时,它很有用。
假设我想使用原型:
function A() {
var doStuff1 = function() {}; // ??????
};
A.prototype = {
doStuff2: function() {
// How do I access a local variable defined
// in the constructor function local scope?
}
};
因此,整个模式适用于您不想使用原型继承的简单场景。
此外,此模式在您要使用Object.create(...)
的情况下不起作用,因为根本没有构造函数...
// Constructor isn't ever called...
var instance = Object.create(A.prototype);
那么,如何在JavaScript中实现这种封装?目前还不可能,但是许多库和框架都选择使用命名约定来让开发人员知道库/框架代码所消耗的内容以及用于实际第三方开发的内容。
例如:
function A() {
};
A.prototype = {
___doStuff1___: function() {},
doStuff2: function() {
this.___doStuff1___();
}
};
毕竟,这是一个命名惯例,其中被___
所包围的成员被视为私有或不适合第三方开发人员。
其他库/框架使用$$
(f.e。 Angular ,$$privateMember
)。