0

我正在使用以下代码jsFiddle来处理表单字段和事件。我之前问过两个关于这个的问题,他们对我帮助很大。现在我有一个新问题/问题。

function Field(args) {
    this.id = args.id;

    this.elem = document.getElementById(this.id);
    this.value = this.elem.value;
}

Field.prototype.addEvent = function (type) {
    this.elem.addEventListener(type, this, false);
};

// FormTitle is the specific field like a text field. There could be many of them.
function FormTitle(args) {
    Field.call(this, args);
}

Field.prototype.blur = function (value) {
    alert("Field blur");  
};

FormTitle.prototype.blur = function () {
    alert("FormTitle Blur");
};

Field.prototype.handleEvent = function(event) {
    var prop = event.type;
    if ((prop in this) && typeof this[prop] == "function")
        this[prop](this.value);
};

inheritPrototype(FormTitle, Field);
var title = new FormTitle({name: "sa", id: "title"});
title.addEvent('blur');


function inheritPrototype(e, t) {
    var n = Object.create(t.prototype);
    n.constructor = e;
    e.prototype = n
}

if (!Object.create) {
    Object.create = function (e) {
        function t() {}
        if (arguments.length > 1) {
            throw new Error("Object.create implementation only accepts the first parameter.")
        }
        t.prototype = e;
        return new t
   }
}

问题是我想重写父方法(Field.prototype.blur),而是对标题对象使用 FormTitle.prototype.blur 方法。但是该对象一直引用父方法,并且警报始终显示“字段模糊”而不是“表单标题模糊”。我怎样才能使这项工作?

4

1 回答 1

1

您正在FormTitle原型中定义一个方法,然后使用另一个对象替换整个原型inheritPrototype

您必须交换订单。首先你称之为:

inheritPrototype(FormTitle, Field);

然后在刚刚创建的原型对象上设置 onblur:

FormTitle.prototype.blur = function () {
    alert("FormTitle Blur");
};

http://jsfiddle.net/zMF5e/2/

于 2013-05-17T22:41:00.400 回答