地图默认值

时间:2018-07-13 06:45:57

标签: javascript arrays dictionary default-value

我正在寻找Map的默认值。

m = new Map();
//m.setDefVal([]); -- how to write this line???
console.log(m[whatever]);

现在结果是未定义,但我想获取空数组[]。

1 个答案:

答案 0 :(得分:4)

首先要回答有关标准Map的问题:ECMAScript 2015中提出的Javascript Map不包含默认值的setter。但是,这并不限制您自己实现该功能。

如果只想打印一个列表,则无论何时未定义m [whatever],您都可以: console.log(m.get('whatever') || []); 正如Li357在评论中指出的那样。

如果您想重用此功能,也可以将其封装为以下功能:

function getMapValue(map, key) {
    return map.get(key) || [];
}

// And use it like:
const m = new Map();
console.log(getMapValue(m, 'whatever'));

但是,如果这不能满足您的需求,并且您确实想要一个具有默认值的地图,则可以为其编写自己的Map类,例如:

class MapWithDefault extends Map {
  get(key) {
    return super.get(key) || this.default;
  }
  
  constructor(defaultValue) {
    super();
    this.default = defaultValue;
  }
}

// And use it like:
const m = new MapWithDefault([]);
console.log(m.get('whatever'));