我的代码有点麻烦。我了解方法链接和构造函数链接的概念,但无法使其正常工作。这是我到目前为止所拥有的:
function Set() {
    this.values = [];
}
Set.prototype.add = function() {
    for (i = 0; i < arguments.length; i++) {
        this.values.push(arguments[i]);
    }
}
var regSet = new Set();
regSet.add(10, 11, null);
console.log(regSet.values);  // → [10, 11, null];
function NonNullSet() {
    Set.apply(this, arguments);
}
NonNullSet.prototype = Object.create(Set.prototype);
NonNullSet.prototype.constructor = NonNullSet;
NonNullSet.prototype.add = function () {
    for (var i = 0; i < arguments.length; i++) {
        if (arguments[i] == null || arguments[i] == undefined) {
            throw new Error("Can't add null or undefined");
        }
    }
    return Set.prototype.add.apply(this, arguments);
}
var nonNull = new NonNullSet();
nonNull.add(10, 12, null);
console.log(nonNull.values);  // → undefined
从上面的代码可以看出,nonNullSet 是 Set 的子类,我试图通过检查 null 或未定义的值来增加 add 方法。如果它们存在,则继续循环。如果它们是有效值,则调用 Set 超类的 add 方法,而不是重写它。
对我来说,这看起来是正确的,但我没有得到我想要的结果,所以有些事情是不对的。我在这里做错了什么?