ES6:无法从类创建对象

时间:2018-08-22 00:50:46

标签: javascript class frontend

我正在尝试从“存储”类创建对象,该类可以在地图中存储多个键值(使用ES6),但无法正常工作。

它甚至没有抛出错误,我在做什么错?

这是我的代码:

class Storage
{
    constructor( pKey, pValue )
    {
        this.key = pKey;
        this.value = pValue;
        this.map = new Map( [ pKey, pValue ] );
        console.log( this.map );//current output: (nothing)
    }


    set( pKey, pValue )
    {
        this.map.set( pKey, pValue );
    }

    get( pKey )
    {
        var result = this.map.get( pKey );
        return result;
    }

}

var myStorage = new Storage( "0", "test" );

console.log( myStorage.get( "0" ) );//espected output: "test" | current output: (nothing)

1 个答案:

答案 0 :(得分:5)

抛出的错误是

  

未捕获的TypeError:迭代器值0不是入口对象

在线

this.map = new Map([pKey, pValue]);

如果您查看Map构造函数的documentation,则需要传递它:

  

一个数组或其他可迭代对象,其元素是键-值对(具有两个元素的数组,例如[[1,'one'],[2,'two']])。

因此,不要传递包含两个值的数组,而传递包含另一个包含两个值的数组的数组:

this.map = new Map([[pKey, pValue]]);

class Storage {
  constructor(pKey, pValue) {
    this.key = pKey;
    this.value = pValue;
    this.map = new Map([[pKey, pValue]]);
  }


  set(pKey, pValue) {
    this.map.set(pKey, pValue);
  }

  get(pKey) {
    var result = this.map.get(pKey);
    return result;
  }

}

var myStorage = new Storage("0", "test");

console.log(myStorage.get("0"));