覆盖 Javascript 中的等价比较

IT技术 javascript operator-overloading qunit
2021-02-15 21:03:15

是否可以覆盖 Javascript 中的等价比较?

我得到的最接近解决方案是定义 valueOf 函数并在对象前面使用加号调用 valueOf。

这有效。

equal(+x == +y, true);

但这失败了。

equal(x == y, true, "why does this fail.");

这是我的测试用例。

var Obj = function (val) {
    this.value = val;
};
Obj.prototype.toString = function () {
    return this.value;
};
Obj.prototype.valueOf = function () {
    return this.value;
};
var x = new Obj(42);
var y = new Obj(42);
var z = new Obj(10);
test("Comparing custom objects", function () {
    equal(x >= y, true);
    equal(x <= y, true);
    equal(x >= z, true);
    equal(y >= z, true);
    equal(x.toString(), y.toString());
    equal(+x == +y, true);
    equal(x == y, true, "why does this fails.");
});

演示在这里:http : //jsfiddle.net/tWyHg/5/

5个回答

那是因为==运算符不只比较基元,因此不调用valueOf()函数。您使用的其他运算符仅适用于原语。恐怕您无法在 Javascript 中实现这样的目标。有关更多详细信息,请参阅http://www.2ality.com/2011/12/fake-operator-overloading.html

==调用ToPrimitive它调用的valueOf ,如果一侧==是非对象
2021-05-06 21:03:15
问题是 Is it possible to override the equivalence comparison in Javascript?
2021-05-06 21:03:15

在@Corkscreewe 上捎带:

这是因为您正在处理对象,等价运算符只会比较两个变量是否引用同一个对象,而不是两个对象是否相等。

一种解决方案是在变量前使用“+”并为对象定义一个 valueOf 方法。这会调用每个对象上的 valueOf 方法以将其值“转换”为数字。您已经找到了这一点,但可以理解的是,您似乎对此不太满意。

一个更具表现力的解决方案可能是为您的对象定义一个 equals 函数。使用上面的示例:

Obj.prototype.equals = function (o) {
    return this.valueOf() === o.valueOf();
};

var x = new Obj(42);
var y = new Obj(42);
var z = new Obj(10);

x.equals(y); // true
x.equals(z); // false

我知道这并不完全符合您的要求(重新定义等价运算符本身),但希望它能让您更接近。

关心NaN === NaN是假的。
2021-05-14 21:03:15

如果它是您正在寻找的完整对象比较,那么您可能想要使用与此类似的东西。

/*
    Object.equals

    Desc:       Compares an object's properties with another's, return true if the objects
                are identical.
    params:
        obj = Object for comparison
*/
Object.prototype.equals = function(obj)
{

    /*Make sure the object is of the same type as this*/
    if(typeof obj != typeof this)
        return false;

    /*Iterate through the properties of this object looking for a discrepancy between this and obj*/
    for(var property in this)
    {

        /*Return false if obj doesn't have the property or if its value doesn't match this' value*/
        if(typeof obj[property] == "undefined")
            return false;   
        if(obj[property] != this[property])
            return false;
    }

    /*Object's properties are equivalent */
    return true;
}

您可以使用 ES6Object.is()函数来检查对象的属性。

Object.prototype.equals = function(obj)
{
    if(typeof obj != "Object")
        return false;
    for(var property in this)
    {
        if(!Object.is(obj[property], this[property]))
            return false;
    }
    return true;
}

添加();可能会有所帮助,具体取决于您的要求。

var Obj = function (val) {
    this.value = val;
}();