Java List按大小分片,平均切分
阿新 • • 發佈:2018-12-16
寫程式碼時有時需要將List按XX大小分片,或者均分成幾個List,此時最好不要new很多新的List然後向裡面add,這樣做效率很低,下面介紹兩種高效分片的方法。
1. 按固定大小分片
直接用guava庫的partition方法即可
import com.google.common.collect.Lists; public class ListsPartitionTest { public static void main(String[] args) { List<String> ls = Arrays.asList("1,2,3,4,5,6,7,8,9,1,2,4,5,6,7,7,6,6,6,6,6,66".split(",")); System.out.println(Lists.partition(ls, 20)); } }
- 1
- 2
- 3
- 4
- 5
- 6
- 7
結果:
[[1, 2, 3, 4, 5, 6, 7, 8, 9, 1, 2, 4, 5, 6, 7, 7, 6, 6, 6, 6], [6, 66]]
- 1
不過這樣做不到均分,下面介紹均分的方法
2.將List均分成n份
轉發,之前忘記從哪裡找的程式碼了,很好用就留下來了
/** * 將一個list均分成n個list,主要通過偏移量來實現的 * * @param source * @return */ public static <T> List<List<T>> averageAssign(List<T> source, int n) { List<List<T>> result = new ArrayList<List<T>>(); int remaider = source.size() % n; //(先計算出餘數) int number = source.size() / n; //然後是商 int offset = 0;//偏移量 for (int i = 0; i < n; i++) { List<T> value = null; if (remaider > 0) { value = source.subList(i * number + offset, (i + 1) * number + offset + 1); remaider--; offset++; } else { value = source.subList(i * number + offset, (i + 1) * number + offset); } result.add(value); } return result; }
--------------------- 本文來自 扎克伯哥 的CSDN 部落格 ,全文地址請點選:https://blog.csdn.net/zhaohansk/article/details/77411552?utm_source=copy