How to convert a List into a Map in Dart

。_饼干妹妹 提交于 2020-08-02 05:37:05

问题


I looking for an on-the-shelf way to convert a List into a Map in Dart.

In python for example you can do:

l= [ ('a',(1,2)), ('b',(2,3)), ('c',(3,4) ) ]
d=dict(l)
==> {'a': (1, 2), 'c': (3, 4), 'b': (2, 3)}

The dict function expects a List of couple. For each couple, the first element is used as the key and the second as the data.

In Dart I saw the following method for a List : asMap(), but it's not doing what i expect: it use the list index as key. My questions:

  • Do you known anything in Dart libraries to do this ?
  • If not, any plan to add such a feature in the core lib ?

Proposal:

List.toMap() //same as python dict.
List.toMap( (value) => [ value[0], value[1] ] ) //Using anonymous function to return a key and a value from a list item.

Thanks and Regards,

Nicolas


回答1:


You can use Map.fromIterable:

var result = Map.fromIterable(l, key: (v) => v[0], value: (v) => v[1]);

or collection-for (starting from Dart 2.3):

var result = { for (var v in l) v[0]: v[1] };



回答2:


In Dart 1.1, you can use this constructor of Map:

new Map.fromIterable(list, key: (v) => v[0], value: (v) => v[1]);

This would be closest to your original proposal.




回答3:


Another possibility is to use the Map.fromEntries() constructor:

final result = Map.fromEntries(l.map((value) => MapEntry(value[0], value[1])));



回答4:


There is not yet a concept of tuples or pairs in dart (other than a two element Iterable). If Dart had such a concept, then issue 7088 proposes to solve this with a Map.fromPairs constructor.



来源:https://stackoverflow.com/questions/16831535/how-to-convert-a-list-into-a-map-in-dart

标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!