3

我只是好奇我是否可以将一个对象包含到函数原型链中。我的意思是说:

var test = function() { return 'a'; };

console.log(test.bind(this)); // return new bound function

// changing the prototype
// in console the prototype is really set as needed
// test => new object => function prototype => Object prototype
var F = function() {};
F.prototype = Function.prototype;
test.prototype = new F();

console.log(test.bind()); // this still works and returns new bound function

test.prototype.bind = function() {
    return 'test';
};

console.log(test.bind()); // this does not work as expected -> returns new bound function instead of 'test'. When I do delete Function.prototype.bind, then console.log(test.bind) returns undefined
4

1 回答 1

2

你有一个函数test。它是一个instanceof Function, 并且继承自Function.prototype以便您可以调用test.bind例如。

然后将函数的“原型”属性设置为继承自Function.prototype. 这意味着 的所有实例都test将继承自该对象(以及 Function.prototype):

var t = new test;
t instanceof test; // => true
t instanceof Function; // => true

然后覆盖自定义原型对象上的测试属性。这样做很好,因为 Function 方法只能在函数(即可调用对象)上调用:

>>> Function.prototype.bind.call({})
Unhandled Error: Function.prototype.bind: this object not callable

在您与您的测试中,console.log仅在您的函数上应用 Function 方法test,而不是在它的实例上。很好,因为他们会失败。所以,我看不出任何对象应该继承自的理由Function——你不能构造不直接继承自Function.

于 2012-05-15T11:21:27.923 回答