我有一个关于如何从面向对象的角度处理特定问题的概念性问题(注意:对于那些对命名空间感兴趣的人,我使用的是Google Closure)。我是OOP JS游戏的新手,所以任何有用的见解都是有用的!
想象一下,您想创建一个对象,该对象为页面上与类名.carouselClassName
匹配的每个DOM元素启动轮播。
像这样的东西
/*
* 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时,我已经做了一些观察:
this.classname
)中定义的属性可由其他原型对象中的this
操作使用。我对此方法的任何其他评论肯定是受欢迎的。)
答案 0 :(得分:2)
我建议您没有Carousel
对象代表页面上的所有轮播。每一个都应该是Carousel
的新实例。
通过将这些方法“绑定”到构造函数中的this
,可以修复因this
未正确分配而遇到的问题。
E.g。
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]));
答案 1 :(得分:1)
查看reference for the this
keyword。如果从newCarousel
对象中调用其中一个方法(例如:newCarousel.init();
),则init方法中的this
将指向该对象。如果你在那上面调用一个方法,它就是一样的。
您始终可以从对象引用中检索属性。如果这些属性是函数,并且不会在正确的上下文中执行(例如,来自事件处理程序),则他们的this
将不再指向newCarousel
。使用bind()
来解决问题(forEach
似乎将您的第三个参数作为每个调用的上下文。)