foreach語句是Java8提供的一個全新特性,用于遍歷數(shù)組、集合等,相比for循環(huán)而言簡化了不少。但是我們在遍歷的同時,又想獲取對象的index下標(biāo),用foreach語句是要怎么實現(xiàn)的呢?下面,將通過Java實例代碼來為大家詳細(xì)講解。
前言
在Java8中,我們經(jīng)常使用lambada表達(dá)式進(jìn)行foreach循環(huán),但是常常我們在遍歷List的時候想獲取對象的index,但是Java8、9、10、11都沒有相關(guān)的支持,同樣的問題也存在于增強型for循環(huán)中,很多時候不得不含著淚以 for (int i = 0; i < list.size(); i++) 的方式寫代碼
我們的期望
list.foreach((item,index)->{}) //編譯不通過
常見的list獲取index方法
for(int i=0;i<list.size();i++>)
for (int i = 0; i < list.size(); i++) {
}
indexOf(Obj)
for (Object o : list) {
list.indexOf(o); //如果是Set還沒有這個方法
}
還有…
int i = 0;
for (String s : list) {
i++;
}
很顯然上述的方法并不是我們所想要的
Consumer和BiConsumer
我們看個簡單的例子
Consumer<String> consumer = t -> System.out.println(t);
consumer.accept("single");
BiConsumer<String, String> biConsumer = (k, v) -> System.out.println(k+":"+v);
biConsumer.accept("multipart","double params");
輸出結(jié)果:
single
multipart:double params
這里不難發(fā)現(xiàn)我們平時寫的箭頭函數(shù)其實是一個Consumer或者BiConsumer對象
定制Consumer
foreach源碼
default void forEach(Consumer<? super T> action) {
Objects.requireNonNull(action);
for (T t : this) {
action.accept(t);
}
}
分析源碼可知,我們的list foreach方法傳入的是Consumer對象,支持一個參數(shù),而我們想要的是item,index兩個參數(shù),很明顯不滿足,這時我們可以自定義一個Consumer,傳參是BiConsumer,這樣就能滿足我們需求了,代碼如下:
import java.util.ArrayList;
import java.util.List;
import java.util.function.BiConsumer;
import java.util.function.Consumer;
public class LambadaTools {
/**
* 利用BiConsumer實現(xiàn)foreach循環(huán)支持index
*
* @param biConsumer
* @param <T>
* @return
*/
public static <T> Consumer<T> forEachWithIndex(BiConsumer<T, Integer> biConsumer) {
/*這里說明一下,我們每次傳入forEach都是一個重新實例化的Consumer對象,在lambada表達(dá)式中我們無法對int進(jìn)行++操作,
我們模擬AtomicInteger對象,寫個getAndIncrement方法,不能直接使用AtomicInteger哦*/
class IncrementInt{
int i = 0;
public int getAndIncrement(){
return i++;
}
}
IncrementInt incrementInt = new IncrementInt();
return t -> biConsumer.accept(t, incrementInt.getAndIncrement());
}
}
調(diào)用示例:
List<String> list = new ArrayList();
list.add("111");
list.add("222");
list.add("333");
list.forEach(LambadaTools.forEachWithIndex((item, index) -> {
System.out.println(index +":"+ item);
}));
輸出結(jié)果如下:
0:111
1:222
2:333
PS:這個Set也可以用哦,不過在Set使用中這個index可不是下標(biāo)
總結(jié)
到此本篇關(guān)于Java中使用foreach語句來獲取遍歷對象的index下標(biāo)的文章就介紹結(jié)束了,想要了解更多相關(guān)Java foreach語句的其他內(nèi)容,請搜索W3Cschool以前的文章或繼續(xù)瀏覽下面的相關(guān)文章,也希望大家以后多多支持!