我想知道将一组转换为子集的有效方法是什么?
Iterable<List<Long>> partitions = Iterables.partition(numbers, 10);
OR
List<List<Long>> partitions = Lists.partition(numbers, 10);
时间复杂度有什么不同?
由于
答案 0 :(得分:2)
让我们看一下内部实现
method partition() for iterables
529 public static <T> Iterable<List<T>> partition(final Iterable<T> iterable, final int size) {
530 checkNotNull(iterable);
531 checkArgument(size > 0);
532 return new FluentIterable<List<T>>() {
533 @Override
534 public Iterator<List<T>> iterator() {
535 return Iterators.partition(iterable.iterator(), size);
536 }
537 };
538 }
681 public static <T> List<List<T>> partition(List<T> list, int size) {
682 checkNotNull(list);
683 checkArgument(size > 0);
684 return (list instanceof RandomAccess)
685 ? new RandomAccessPartition<T>(list, size)
686 : new Partition<T>(list, size);
687 }
在上面的两个实现中,如果你分析代码,Lists
检查list instanceof RandomAccess
,如果它是真的,那么RandomAccess接口用于评估分区。
现在,如果我们看到RandomAccess的documentation:
公共接口RandomAccess
List实现使用的标记接口,表示它们支持快速(通常是常量) 时间)随机访问。此接口的主要目的是允许 通用算法改变其行为以提供良好的性能 当应用于随机或顺序访问列表时。
所以,我猜后者有更好的表现。
如果我们的list
不是RandomAccess
界面的实例,该怎么办?
Lists
用于执行分区(source)
689 private static class Partition<T> extends AbstractList<List<T>> {
690 final List<T> list;
691 final int size;
692
693 Partition(List<T> list, int size) {
694 this.list = list;
695 this.size = size;
696 }
697
698 @Override
699 public List<T> get(int index) {
700 checkElementIndex(index, size());
701 int start = index * size;
702 int end = Math.min(start + size, list.size());
703 return list.subList(start, end);
704 }
705
706 @Override
707 public int size() {
708 return IntMath.divide(list.size(), size, RoundingMode.CEILING);
709 }
710
711 @Override
712 public boolean isEmpty() {
713 return list.isEmpty();
714 }
715 }
以及Iterators
用于执行分区(source)
605 private static <T> UnmodifiableIterator<List<T>> partitionImpl(
606 final Iterator<T> iterator, final int size, final boolean pad) {
607 checkNotNull(iterator);
608 checkArgument(size > 0);
609 return new UnmodifiableIterator<List<T>>() {
610 @Override
611 public boolean hasNext() {
612 return iterator.hasNext();
613 }
614 @Override
615 public List<T> next() {
616 if (!hasNext()) {
617 throw new NoSuchElementException();
618 }
619 Object[] array = new Object[size];
620 int count = 0;
621 for (; count < size && iterator.hasNext(); count++) {
622 array[count] = iterator.next();
623 }
624 for (int i = count; i < size; i++) {
625 array[i] = null; // for GWT
626 }
627
628 @SuppressWarnings("unchecked") // we only put Ts in it
629 List<T> list = Collections.unmodifiableList(
630 (List<T>) Arrays.asList(array));
631 return (pad || count == size) ? list : list.subList(0, count);
632 }
633 };
634 }
现在,如果我们分析最后两个代码,那么任何人在没有进行全面分析的情况下找出哪个更好会变得非常容易。但是,我们可以说如果我们的列表是RandomAccess
接口的实例,那么绝对Lists.partition(lists, pivot);
更快。