我不期待彼此之间的差异。 Airbnb在on the style guides repository方面已经做出了出色的解释。

考虑一个琐碎的类及其实现,如下所示:

class C1 {}
const c1Imp = new C1();


其中.prototype应从Object继承。

为什么以下等效项不成立?

console.info(Object.prototype.isPrototypeOf.call(C1, c1Imp)); // false
console.info(C1.prototype.isPrototypeOf(c1Imp)); // true




 (() => {
	class C1 {}
	const c1Imp = new C1();

	console.info(c1Imp.constructor.name);
	console.info(`${Object.prototype.isPrototypeOf.call(C1, c1Imp)} (should be true)`);
	console.info(`${C1.prototype.isPrototypeOf(c1Imp)} (should be true)`);

	class C2 {}
	const c2Imp = new C2();

	console.info(c2Imp.constructor.name);
	console.info(`${Object.prototype.isPrototypeOf.call(C1, c2Imp)} (should be false)`);
	console.info(`${C1.prototype.isPrototypeOf(c2Imp)} (should be false)`);
})();





PS:问题标题不是很清楚,请随时进行适当的编辑。

最佳答案

您应该这样做:

Object.prototype.isPrototypeOf.call(C1.prototype, c1Imp) // true


在第一个示例中,您是在Object.prototype.isPrototypeOf本身上调用C1方法,而在第二个示例中,您是在isProtoTypeOf上调用C1.prototype。这只是一些棘手的语义。

我上面显示的解决方法是在Object.prototype.isPrototypeOf本身上调用C1.prototype

查看更新的代码段:



 (() => {
	class C1 {}
	const c1Imp = new C1();

	console.info(c1Imp.constructor.name);
	console.info(`${Object.prototype.isPrototypeOf.call(C1.prototype, c1Imp)} (should be true)`);
	console.info(`${C1.prototype.isPrototypeOf(c1Imp)} (should be true)`);

	class C2 {}
	const c2Imp = new C2();

	console.info(c2Imp.constructor.name);
	console.info(`${Object.prototype.isPrototypeOf.call(C1, c2Imp)} (should be false)`);
	console.info(`${C1.prototype.isPrototypeOf(c2Imp)} (should be false)`);
})();

关于javascript - Object.prototype.isPrototypeOf与obj.prototype.isPrototypeOf,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/42034136/

10-11 12:50