-1

我在javascript中学习继承和范围访问。因此,我编写了一个示例程序,如下所示。

var A = function(){

    var privateVariable = 'secretData';

        function E(){
        console.log("Private E");
        console.log("E reads privateVariable as : " + privateVariable);
        };

        B  =  function(){
           console.log("GLOBAL B");
           console.log("B reads privateVariable as : " + privateVariable);
        } ;

        this.C = function(){
           console.log("Privilaged C");
           console.log("C reads privateVariable as : " + privateVariable);
       };

};

A.prototype.D = function(){
    console.log("Public D, I can call B");    
    B();    
};

A.F = function(){
    console.log("Static D , Even I can call B");
    B();    
};

var Scope = function(){

        var a = new A();

        Scope.inherits(A); // Scope inherits A

        E(); // private Method of A , Error : undefined.  (Acceptable because E is private)
        this.C(); // private Method of A, Error : undefined. 
        D(); // public Method of A, Error : undefined.

}

Function.prototype.method = function (name, func) {
    this.prototype[name] = func;
    return this;
};

Function.method('inherits', function (parent) {
    console.log("I have been called to implement inheritance");
    //Post will become lengthy. Hence,
    //Please refer [crockford code here][1]
});

我的疑问是:

  1. 像 B 这样的任何未声明的变量都将在全局范围内。通过 B 访问 privateVariable 是否是不好的编程风格?(因为,privateVariable 不能像那样访问。)如果是这样,为什么 javascript 允许这样的定义和访问。

  2. 我希望继承 C 和 D。但它不适合我吗?我哪里出错了?

  3. 出于有趣的目的,我尝试了crockford page中给出的经典继承,但是专业人士是否会在生产代码中使用经典继承?这样做是否可取,(因为总而言之,crockford 很遗憾在他早期尝试实现经典继承)

4

1 回答 1

1

至于你的第一个问题:这在严格模式下不再可能。

第二个问题: 添加toScope.inherits(A)的所有属性,而不是 to 。所以当时不存在。您必须在创建 的新实例之前调用。AScopethisthis.CScope.inherits(A) Scope

D()调用一个名为 的函数D。但是没有这样的功能。你只有A.prototype.D. 如果你想调用这个方法,你可以用this.D(). 再说一遍:this.D()当时不存在。

第三个问题:这是个人选择。我建议 - 对于任何语言 - 使用该语言的优势而不是模拟其他语言。

于 2013-04-28T06:45:11.853 回答