Java 8でラムダと関数型インターフェイスを使用すると、新しいループの抽象化を作成できます。インデックスとコレクション サイズを使用して、コレクションをループできます。
List<String> strings = Arrays.asList("one", "two","three","four");
forEach(strings, (x, i, n) -> System.out.println("" + (i+1) + "/"+n+": " + x));
どの出力:
1/4: one
2/4: two
3/4: three
4/4: four
私は次のように実装しました:
@FunctionalInterface
public interface LoopWithIndexAndSizeConsumer<T> {
void accept(T t, int i, int n);
}
public static <T> void forEach(Collection<T> collection,
LoopWithIndexAndSizeConsumer<T> consumer) {
int index = 0;
for (T object : collection){
consumer.accept(object, index++, collection.size());
}
}
可能性は無限大。たとえば、最初の要素だけに特別な関数を使用する抽象化を作成します。
forEachHeadTail(strings,
(head) -> System.out.print(head),
(tail) -> System.out.print(","+tail));
コンマ区切りのリストを正しく出力するもの:
one,two,three,four
私は次のように実装しました:
public static <T> void forEachHeadTail(Collection<T> collection,
Consumer<T> headFunc,
Consumer<T> tailFunc) {
int index = 0;
for (T object : collection){
if (index++ == 0){
headFunc.accept(object);
}
else{
tailFunc.accept(object);
}
}
}
ライブラリは、これらの種類のことを行うためにポップアップし始めます。または、独自のライブラリを展開することもできます。