Dartのインデックスと値を含むリストを列挙またはマッピングします


99

ダーツには、一般的なものに相当するものがあります。

enumerate(List) -> Iterator((index, value) => f)
or 
List.enumerate()  -> Iterator((index, value) => f)
or 
List.map() -> Iterator((index, value) => f)

これが最も簡単な方法のようですが、この機能が存在しないのは奇妙に思えます。

Iterable<int>.generate(list.length).forEach( (index) => {
  newList.add(list[index], index)
});

編集:

@ hemanth-rajのおかげで、探していた解決策を見つけることができました。同様のことをする必要がある人のために、これをここに置きます。

List<Widget> _buildWidgets(List<Object> list) {
    return list
        .asMap()
        .map((index, value) =>
            MapEntry(index, _buildWidget(index, value)))
        .values
        .toList();
}

または、同期ジェネレーター関数を作成して、反復可能オブジェクトを返すこともできます。

Iterable<MapEntry<int, T>> enumerate<T>(Iterable<T> items) sync* {
  int index = 0;
  for (T item in items) {
    yield MapEntry(index, item);
    index = index + 1;
  }
}

//and use it like this.
var list = enumerate([0,1,3]).map((entry) => Text("index: ${entry.key}, value: ${entry.value}"));

Map#forEach?それはあなたが望むものですか?
pskink

それは地図ではなくリストを通して列挙している
DavidRees19年

Map#forEachList?を介して列挙しています どういう意味ですか?ドキュメントには次のように書かれています。「マップの各キー/値のペアにfを適用します。fを呼び出しても、マップにキーを追加したり、マップからキーを削除したりしないでください。」
pskink

私もあなたと意味「列挙またはインデックスと値を持つリストをマッピングする」ことを理解していない
ギュンターZöchbauer

回答:


151

asMapリストをマップに変換する方法があります。ここで、キーはインデックスであり、値はインデックスの要素です。こちらのドキュメントをご覧ください

例:

List _sample = ['a','b','c'];
_sample.asMap().forEach((index, value) => f);

お役に立てれば!


35

反復インデックスを取得するための組み込み関数はありません。

私のようMapに、単純なインデックスのためだけに(データ構造)を構築するというアイデアが気に入らない場合は、おそらくmapインデックスを提供する(関数)が必要です。それをmapIndexed(Kotlinのように)呼びましょう:

children: mapIndexed(
  list,
  (index, item) => Text("event_$index")
).toList();

の実装mapIndexedは簡単です。

Iterable<E> mapIndexed<E, T>(
    Iterable<T> items, E Function(int index, T item) f) sync* {
  var index = 0;

  for (final item in items) {
    yield f(index, item);
    index = index + 1;
  }
}

1
これは良い答えですが、おそらく同期発電機として書く方がよいでしょう
DavidRees19年

2
提案のための@DavidReesthx!私はまた、機能と改名mapIndexed
ヴィヴィアン・

1
ダーツにこれを行う簡単な方法が組み込まれていないのは残念です。30歳のPythonでもこれを簡単に行うことができます!

それ.asMap().forEach()は本質的にこれと同じであることがわかります-私の答えを参照してください。
Timmmm

1
@TimmmmasMap()データを取得するために追加のループが必要になると思うので、mapIndexed()上記のように効率的ではありません。
anticafe

18

@HemanthRajの回答に基づいています。

それを元に戻すには、次のことができます

List<String> _sample = ['a', 'b', 'c'];
_sample.asMap().values.toList(); 
//returns ['a', 'b', 'c'];

または、マッピング関数のインデックスが必要な場合は、次のようにすることができます。

_sample
.asMap()
.map((index, str) => MapEntry(index, str + index.toString()))
.values
.toList();
// returns ['a0', 'b1', 'c2']

16

Dart 2.7以降では、ヘルパーメソッドを作成する代わりにextension、の機能を拡張するために使用できます。Iterable

extension ExtendedIterable<E> on Iterable<E> {
  /// Like Iterable<T>.map but callback have index as second argument
  Iterable<T> mapIndex<T>(T f(E e, int i)) {
    var i = 0;
    return this.map((e) => f(e, i++));
  }

  void forEachIndex(void f(E e, int i)) {
    var i = 0;
    this.forEach((e) => f(e, i++));
  }
}

使用法:

final inputs = ['a', 'b', 'c', 'd', 'e', 'f'];
final results = inputs
  .mapIndex((e, i) => 'item: $e, index: $i')
  .toList()
  .join('\n');

print(results);

// item: a, index: 0
// item: b, index: 1
// item: c, index: 2
// item: d, index: 3
// item: e, index: 4
// item: f, index: 5
inputs.forEachIndex((e, i) => print('item: $e, index: $i'));

// item: a, index: 0
// item: b, index: 1
// item: c, index: 2
// item: d, index: 3
// item: e, index: 4
// item: f, index: 5

2
これが最良の答えです。これは、文字列だけでなくウィジェットを返すことができるFlutterアイテムでも機能します。
STEEL

8

Lukas Renggliのmoreパッケージには、「インデックス付き」を含む多くの便利なツールが含まれています。ドキュメントから:

indexed(['a', 'b'], offset: 1)
  .map((each) => '${each.index}: ${each.value}')
  .join(', ');

(Smalltalkのバックグラウンドがない限り、offset引数は無視できます:-)。


7

['one', 'two', 'three'].asMap().forEach((index, value) { ... });リストをマップに変換しているように見えるので、最初は本当に非効率だと思いました。実際にはそうではありません-ドキュメントには、リストの不変のビューが作成されると記載されています。私dart2jsはこのコードのを再確認しました:

void main() {
  final foo = ['one', 'two', 'three'];
  foo.asMap().forEach((idx, val) {
    print('$idx: $val');
  });
}

それはたくさんのコードを生成します!しかし、要点はこれです:

  main: function() {
    var foo = H.setRuntimeTypeInfo(["one", "two", "three"], ...);
    new H.ListMapView(foo, ...).forEach$1(0, new F.main_closure());
  },

  H.ListMapView.prototype = {
    forEach$1: function(_, f) {
      var t1, $length, t2, i;
      ...
      t1 = this._values;
      $length = t1.length;
      for (t2 = $length, i = 0; i < $length; ++i) {
        if (i >= t2)
          return H.ioore(t1, i);
        f.call$2(i, t1[i]);
        t2 = t1.length;
        if ($length !== t2)
          throw H.wrapException(P.ConcurrentModificationError$(t1));
      }
    },
    ...
  },

  F.main_closure.prototype = {
    call$2: function(idx, val) {
      ...
      H.printString("" + idx + ": " + H.S(val));
    },
    $signature: 1
  };

だから、効率的なことをするのに十分賢いです!かなり賢い。

もちろん、通常のforループを使用することもできます。

for (var index = 0; index < values.length; ++index) {
  final value = values[index];

4

便宜上、この拡張メソッドを使用できます。

extension CollectionUtil<T> on Iterable<T>  {

  Iterable<E> mapIndexed<E, T>(E Function(int index, T item) transform) sync* {
    var index = 0;

    for (final item in this) {
      yield transform(index, item as T);
      index++;
    }
  }
}

3

asMapを使用して、最初にリストをマップに変換します。要素のインデックスがキーです。要素が値になります。エントリを使用して、キーと値を必要なものにマップします。

List rawList = ["a", "b", "c"];
List<String> argList = rawList.asMap().entries.map((e) => '${e.key}:${e.value}').toList();
print(argList);

出力:

[0:a, 1:b, 2:c]

0

Iterable.generate工場でご利用いただけます。次のコードは、Iterableインデックスと値を使用してマップします。

extension IterableMapIndex<T> on Iterable<T> {
  Iterable<E> mapIndexed<E>(E f(int index, T t)) {
    return Iterable.generate(this.length, (index)=>f(index, elementAt(index)));
  }
}
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.