为 dictionary 添加 toString 方法
重要程度: 5
这儿有一个通过 Object.create(null)
创建的,用来存储任意 key/value
对的对象 dictionary
。
为该对象添加 dictionary.toString()
方法,该方法应该返回以逗号分隔的所有键的列表。你的 toString
方法不应该在使用 for...in
循环遍历数组的时候显现出来。
它的工作方式如下:
let dictionary = Object.create(null);
// 你的添加 dictionary.toString 方法的代码
// 添加一些数据
dictionary.apple = "Apple";
dictionary.__proto__ = "test"; // 这里 __proto__ 是一个常规的属性键
// 在循环中只有 apple 和 __proto__
for(let key in dictionary) {
alert(key); // "apple", then "__proto__"
}
// 你的 toString 方法在发挥作用
alert(dictionary); // "apple,__proto__"
可以使用 Object.keys
获取所有可枚举的键,并输出其列表。
为了使 toString
不可枚举,我们使用一个属性描述器来定义它。Object.create
语法允许我们为一个对象提供属性描述器作为第二参数。
let dictionary = Object.create(null, {
toString: { // 定义 toString 属性
value() { // value 是一个 function
return Object.keys(this).join();
}
}
});
dictionary.apple = "Apple";
dictionary.__proto__ = "test";
// apple 和 __proto__ 在循环中
for(let key in dictionary) {
alert(key); // "apple",然后是 "__proto__"
}
// 通过 toString 处理获得的以逗号分隔的属性列表
alert(dictionary); // "apple,__proto__"
当我们使用描述器创建一个属性,它的标识默认是 false
。因此在上面这段代码中,dictonary.toString
是不可枚举的。
请阅读 属性标志和属性描述符 一章进行回顾。