0

私は2つのオブジェクトを持っています:それらがシングルトンかどうか知りたいですか?

を。

var OBJ = function () {
}

OBJ.prototype = {
    setName : function (name) {
        this.name = name;
    },
    getName : function () {
        return this.name;
    }
}

b.

var OBJ = {
     setName : function (name) {
         this.name = name;
     },
     getName : function () {
        return this.name;
     }
}
4

2 に答える 2

1

クラスの2つのインスタンスを作成して比較することで確認できます。

 Print( a === b ); // prints: true

印刷trueクラスがsingleton

または、SingletonPattern に対して次のコードを試すことができます。

function MyClass() {

  if ( arguments.callee._singletonInstance )
    return arguments.callee._singletonInstance;
  arguments.callee._singletonInstance = this;

  this.Foo = function() {
    // ...
  }
}

var a = new MyClass()
var b = MyClass()
Print( a === b ); // prints: true

シングルトン パターンの最適なソリューション

于 2013-02-26T07:28:22.687 に答える
0

これはあなたを助けるでしょうHow to write a singleton class in javascript

 function Cats() {
    var names = [];

    // Get the instance of the Cats class
    // If there's none, instanciate one
    var getInstance = function() {
        if (!Cats.singletonInstance) {
            Cats.singletonInstance = createInstance();
        }
        return Cats.singletonInstance;
    }
    // Create an instance of the Cats class
    var createInstance = function() {
        // Here, you return all public methods and variables
        return {
            add : function(name) {
                names.push(name);
                return this.names();
            },
            names : function() {
                return names;
            }
        }
    }
    return getInstance();
}

http://www.javascriptkata.com/2009/09/30/how-to-write-a-singleton-class-in-javascript/の詳細

また、Javascript の複製の可能性もあります: JavaScript でシングルトンを実装するための最良のシングルトン パターン最もシンプルでクリーンな方法は?

于 2013-02-26T07:49:02.293 に答える