1

我正在做一个小项目,该项目的一个对象可以包括更新函数,该函数被添加到作为对象属性的数组中。

例子,

/*
    Add an update function to the layer
    @param function {update} The update to add
*/
Layer.prototype.addUpdate = function (update) {

    // Add the update
    this.updates.push(update);
};

/*
    Remove an update from the layer
    @param function {update} The update to remove
*/
Layer.prototype.removeUpdate = function (update) {

    this.updates.forEach(function (element, index) {

        if (element.toString() === update.toString()) {
            this.updates.splice(index, 1);
        }
    }, this);
};

使用上面的代码,我可以像这样使用它;

var layer = new Layer();
var func = function () {
     x = 10;
};
layer.addUpdate(func);
layer.removeUpdate(func);

在互联网上阅读有关以这种方式比较函数相等性之后,我读过的所有地方都说这样做真的很糟糕。

在函数上使用toString()真的那么糟糕吗?

在添加和删除更新时只为两个参数提供函数的同时,我还有其他方法可以做到这一点吗?

UDPATE

有没有办法检查 2 个变量是否指向同一个引用?示例(伪);

var a = 10;
var b = a;
var c = a;

if (b and c point to a) //
4

1 回答 1

1

当然。比较函数本身:

if(element === update) {
    // ...

forEach但是,在循环遍历数组时,您可能会遇到修改数组的问题。

于 2013-04-08T03:01:17.897 回答