这些天来,我一直在使用JavaScript来开发LeetCode。我发现,如果我需要实现一个哈希表,例如,使用ES6 map
这个著名的问题https://leetcode.com/problems/two-sum/,与普通的旧javascript对象相比,通常可以提高速度,例如快20毫秒。>
var twoSum = function(nums, target) {
const map = new Map();
for (let [index, value] of nums.entries()) {
if (map.has(target - value)) return [map.get(target - value), index];
map.set(value, index);
}
};
var twoSum = function(nums, target) {
const map = {};
for (let [index, value] of nums.entries()) {
if (map[target - value] !== undefined) return [map[target - value], index];
map[value] = index;
}
};
对我来说,ES6 Map
在普通旧对象上最大的用例是当我们希望键不仅是字符串时。有人可以向我解释为什么Map
在速度方面优越,还有其他一些用例,其中Map
比JavaScript中的普通旧对象好
答案 0 :(得分:2)
在您的示例中,RETURN_BOOL
版本使用数字作为键,而Map
版本使用字符串。
将所有这些数字(如object
)转换为字符串可能会占target-value
版本中的大部分额外费用。