2

我有一个关于如何从面向对象的角度处理特定问题的概念性问题(注意:对于那些对此处的命名空间感兴趣的人,我使用的是 Google Closure)。我对 OOP JS 游戏相当陌生,所以任何和所有的见解都是有帮助的!

想象一下,您想要创建一个对象,该对象为页面上与 classname 匹配的每个 DOM 元素启动轮播.carouselClassName

像这样的东西

/*
 * Carousel constructor
 * 
 * @param {className}: Class name to match DOM elements against to
 * attach event listeners and CSS animations for the carousel.
 */
var carousel = function(className) {
  this.className = className;

  //get all DOM elements matching className
  this.carouselElements = goog.dom.getElementsByClass(this.className);
}

carousel.prototype.animate = function() {
  //animation methods here
}

carousel.prototype.startCarousel = function(val, index, array) {
  //attach event listeners and delegate to other methods 
  //note, this doesn't work because this.animate is undefined (why?)
  goog.events.listen(val, goog.events.EventType.CLICK, this.animate);
}

//initalize the carousel for each
carousel.prototype.init = function() {
  //foreach carousel element found on the page, run startCarousel
  //note: this works fine, even calling this.startCarousel which is a method. Why?
  goog.dom.array.foreach(this.className, this.startCarousel, carousel);
}

//create a new instance and initialize
var newCarousel = new carousel('carouselClassName');
newCarousel.init();

第一次在 JS 中玩 OOP,我做了一些观察:

  1. 在我的构造函数对象 ( this.classname) 中定义的属性可this用于其他原型对象中的操作。
  2. 在我的构造函数对象或原型中定义的方法不能使用 this.methodName (参见上面的注释)。

绝对欢迎对我的方法提出任何其他评论:)

4

2 回答 2

2

我建议您不要让您的Carousel对象代表页面上的所有轮播。每一个都应该是 的一个新实例Carousel

您遇到的this未正确分配的问题可以通过将这些方法“绑定”到this您的构造函数中来解决。

例如

function Carousel(node) {
    this.node = node;

    // "bind" each method that will act as a callback or event handler
    this.bind('animate');

    this.init();
}
Carousel.prototype = {
    // an example of a "bind" function...
    bind: function(method) {
        var fn = this[method],
            self = this;
        this[method] = function() {
            return fn.apply(self, arguments);
        };
        return this;
    },

    init: function() {},

    animate: function() {}
};

var nodes = goog.dom.getElementsByClass(this.className),
    carousels = [];

// Instantiate each carousel individually
for(var i = 0; i < nodes.length; i++) carousels.push(new Carousel(nodes[i]));
于 2012-04-19T17:29:15.857 回答
1

查看关键字的参考this。如果您从您的newCarousel对象调用其中一种方法(例如:newCarousel.init();),this则在 init 方法中将指向该对象。如果你调用一个方法,它是一样的。

您始终可以从对象引用中检索属性。如果这些属性是函数,并且不会在正确的上下文中执行(例如从事件处理程序),它们this将不再指向newCarousel。使用bind()来解决这个问题(forEach似乎将您的第三个参数作为每次调用的上下文)。

于 2012-04-19T17:27:28.107 回答