Babel转码关于 "super" 的注意事项
事情的起因是在问答上看到一个朋友的提问,问的是阮一峰老师 ECMAScript 6 入门 上关于super关键字的一段代码问题,下面是这个代码的截图:
这位楼主说他觉得 this.x
的值不是3,下面有网友说把代码粘贴到 chrome 控制台一试就是这结果没错,后来楼主说是他想错了。我也顺便把代码粘贴到 chome 下执行后答案也确实是3。
本来这个事没啥就结束了,正好我开着 WebStorm 准备写代码,顺手粘贴到代码文件里面,保存 > webpack打包 > 刷新浏览器,瞅了一眼 Console:
!这是神马情况,输出竟然是2!
问题分析
为啥与 chrome 直接运行的结果不一致呢?想了想问题应该出在 Babel 转码上。马上打开转码后的文件,定位到这段代码的位置:
var B = function (_A) { _inherits(B, _A); function B() { _classCallCheck(this, B); var _this = _possibleConstructorReturn(this, (B.__proto__ || Object.getPrototypeOf(B)).call(this)); _this.x = 2; _set(B.prototype.__proto__ || Object.getPrototypeOf(B.prototype), 'x', 3, _this); console.log(_get(B.prototype.__proto__ || Object.getPrototypeOf(B.prototype), 'x', _this)); // undefined console.log(_this.x); // 3 return _this; } return B; }(A);
super.x = 3;
对应的是 _set(B.prototype.__proto__ || Object.getPrototypeOf(B.prototype), 'x', 3, _this);
这里有个 _set()
函数,再看下这个 _set()
是啥:
var _set = function set(object, property, value, receiver) { var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent !== null) { set(parent, property, value, receiver); } } else if ('value' in desc && desc.writable) { desc.value = value; } else { var setter = desc.set; if (setter !== undefined) { setter.call(receiver, value); } } return value; };
仔细看看这个函数后,明白是怎么回事了。结合阮一峰老师的代码和上面的转码可以看出,_set()
传进来的第一个参数是 B.prototype.__proto__
-- 也就是A的原型对象 -- A.prototype
,第一句代码会先找 x属性
的描述符,如果找不到继续顺着原型链找... 当然是找不到的了,所以相当于啥也没执行,this.x
的值依然是2。
如果按照这个 _set()
函数的逻辑,在什么情况下 this.x
的值才会是3呢?要满足两个条件:
A.prototype
上必须有x
属性定义- 这个
x
属性定义上还必须定义set
访问器
比如像下面这样:
Object.defineProperty(A.prototype, 'x', { get: function () { return this._x; }, set: function (value) { this._x = value; } });
然后再跑一把,果然 this.x
的值是3了!等一下... 怎么 console.log(super.x); // undefined
这句的结果不是 undefined 也是3了呢?看下转码那里还有个 _get()
函数:
var _get = function get(object, property, receiver) { if (object === null) object = Function.prototype; var desc = Object.getOwnPropertyDescriptor(object, property); if (desc === undefined) { var parent = Object.getPrototypeOf(object); if (parent === null) { return undefined; } else { return get(parent, property, receiver); } } else if ("value" in desc) { return desc.value; } else { var getter = desc.get; if (getter === undefined) { return undefined; } return getter.call(receiver); } };
好吧,代码走到最后 else 的 getter
那里了,自然 super.x
的读取结果就是3了
目前还没时间看为啥 Babel 要这么转码处理,如果你有答案了欢迎留言讨论。