3

を使用して JavaScript オブジェクトを複数回参照する場所this

var myObj = {
   method1 : function() {},
   method2 : function() {},
   method3 : function {},
   init : function() {
       this.method1();
       this.method2(); 
       this.method3();  
   }
};

パフォーマンスの向上はありthisますか?変数に格納する必要がありますか? お気に入り:

init : function() {
    var self = this;

    self.method1();
    self.method2(); 
    self.method3();  
}
4

1 に答える 1

4

thisそのコンテキストをクロージャに渡す必要がない限り、参照を変数に格納する必要はありません。

イベントの外側の親コンテキストでポインターが指してthisいたものへの参照が必要な要素のクリックイベントなど、クロージャーにポインターを渡す必要がある場合の例を次に示します。this

init : function() {

    $('.someElem').click( 
        (function(self) {
            return function() {
                self.method1();
                self.method2(); 
                self.method3();  
            }
        })(this)   // pass "this" into the "self" parameter as an argument
    );

}

あなたの場合、不必要にローカル変数を作成し、本当に必要のないときに何かを割り当てています。これは冗長であり、不要な変数も作成します。

于 2012-05-19T21:34:39.143 に答える