java

关注公众号 jb51net

关闭
首页 > 软件编程 > java > Java Stream实现List排序

Java中Stream实现List排序的六个核心技巧总结

作者:藥師YS

这篇文章主要介绍了Java中Stream实现List排序的六个核心技巧,分别是自然序排序、反向排序、空值安全处理、多字段组合排序、并行流加速、原地排序等,文中通过代码介绍的非常详细,需要的朋友可以参考下

一、基础排序实现

1.1 自然序排序(正序)

List<Entity> sortedList = originalList.stream()
        .sorted(Comparator.comparing(Entity::getId))
        .collect(Collectors.toList());

1.2 反向排序(倒序)

List<Entity> sortedList = originalList.stream()
        .sorted(Comparator.comparing(Entity::getId).reversed())
        .collect(Collectors.toList());

二、进阶排序技巧

2.1 空值安全处理

// 处理可能为null的字段
Comparator<Entity> nullSafeComparator = Comparator.comparing(
    Entity::getId, 
    Comparator.nullsFirst(Comparator.naturalOrder())
);

List<Entity> sortedList = originalList.stream()
        .sorted(nullSafeComparator)
        .collect(Collectors.toList());

2.2 多字段组合排序

List<Entity> sortedList = originalList.stream()
        .sorted(Comparator.comparing(Entity::getDepartment)
                .thenComparing(Entity::getId))
        .collect(Collectors.toList());

三、性能优化建议

3.1 并行流加速(适用于大数据量)

List<Entity> sortedList = originalList.parallelStream()
        .sorted(Comparator.comparing(Entity::getId))
        .collect(Collectors.toList());

3.2 原地排序(修改原集合)

originalList.sort(Comparator.comparing(Entity::getId));

四、最佳实践

ArrayList<Entity> sortedList = originalList.stream()
        .sorted(Comparator.comparing(Entity::getId))
        .collect(Collectors.toCollection(ArrayList::new));
List<Entity> sortedList = new ArrayList<>(originalList);
sortedList.sort(Comparator.comparing(Entity::getId));
List<Entity> sortedList = originalList.stream()
        .sorted((e1, e2) -> {
            // 自定义比较逻辑
            return e1.getId().compareTo(e2.getId());
        })
        .collect(Collectors.toList());

五、注意事项

六、完整示例

public class SortingDemo {
    public static void main(String[] args) {
        List<Entity> entities = Arrays.asList(
            new Entity(2, "B"),
            new Entity(1, "A"),
            new Entity(3, "C")
        );

        // 多条件排序:先按名称倒序,再按ID正序
        List<Entity> sorted = entities.stream()
                .sorted(Comparator.comparing(Entity::getName)
                        .reversed()
                        .thenComparing(Entity::getId))
                .collect(Collectors.toList());

        sorted.forEach(System.out::println);
    }
}

class Entity {
    private int id;
    private String name;
    
    // 构造方法和getter省略
}

七、总结对比

排序方式时间复杂度空间复杂度适用场景
Stream顺序流O(n log n)O(n)通用场景
Stream并行流O(n log n)O(n)大数据量(10w+)
Collections.sortO(n log n)O(1)原地修改需求
数据库排序O(n log n)O(1)数据源在数据库时

通过合理选择排序策略,可以在保证代码简洁性的同时兼顾系统性能。建议根据实际业务场景选择最合适的排序方式。

到此这篇关于Java中Stream实现List排序的六个核心技巧的文章就介绍到这了,更多相关Java Stream实现List排序内容请搜索脚本之家以前的文章或继续浏览下面的相关文章希望大家以后多多支持脚本之家!

您可能感兴趣的文章:
阅读全文