美文网首页后端世界
Java List操作1(分片 partition)

Java List操作1(分片 partition)

作者: 雪飘千里 | 来源:发表于2018-07-18 15:50 被阅读1399次

    java中list 常用的操作大家都很熟悉了,有时候我们需要像在数据库中一样可以直接group by,select,where,partition来操作 list,如果直接for循环,比较麻烦,可以使用下面这些方法。

    1. 将list(当然,也可以是其他集合)拆分成多份,常见的场景,比如批量执行sql、分批推送消息,都需要控制批量执行的条数,java传统的集合操作中并没有这样的方法,但是 google guava 和apache commons collections都提供了相应的实现。
    一:guava 实现(按照固定大小分片)
    import com.google.common.collect.Lists;
    public class ListsPartitionTest1 {
        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));
        }
    }
    二:使用apache.commons.collection实现
    
    import org.apache.commons.collections4.ListUtils;
    public class ListsPartitionTest2 {
        public static void main(String[] args) {
          List<Integer> intList = Lists.newArrayList(1, 2, 3, 4, 5, 6, 7, 8);
          System.out.println(ListUtils.partition(intList, 3));
        }
    }
    

    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;
        }
    

    相关文章

      网友评论

        本文标题:Java List操作1(分片 partition)

        本文链接:https://www.haomeiwen.com/subject/sbzgpftx.html