Java8 BiConsumer<T, U> 函数接口浅析分享(含示例,来戳!)

news2024/12/30 2:16:23

文章目录

  • Java8 BiConsumer<T, U> 函数接口浅析分享(含示例,来戳!)
    • 源码
    • accept 方法示例
      • 示例一
      • 示例二
    • andThen 方法示例
      • 示例一
      • 示例二
    • 示例相关代码类
      • dohandler 方法
      • student.java
      • StudentScore.java
      • StudentScoreDto.java

Java8 BiConsumer<T, U> 函数接口浅析分享(含示例,来戳!)

💗💗💗您的点赞、收藏、评论是博主输出优质文章的的动力!!!💗💗💗

欢迎在评论区与博主沟通交流!!Java8 系列文章持续更新,大佬们关注我!种个草不亏!👇🏻 👇🏻 👇🏻

学起来,开整!Java8 BiConsumer<T, U>函数接口使用分享。

BiConsumer<T, U> 跟我们熟悉的 Consumer< T> 很像,核心思想也是一样的,两者都是表达消费的意思;

源码

BiConsumer<T, U> 提供了两个方法:

  • void accept(T t, U u):传入两个泛型参数(当然方法实现想怎么用自己玩,可以看下面示例场景);
  • BiConsumer<T, U> andThen(BiConsumer<? super T, ? super U> after):可以理解为在执行 accept 方法前先执行一个前置方法,前置方法执行完成后,会接着执行 accept 方法;

源码

@FunctionalInterface
public interface BiConsumer<T, U> {

    void accept(T t, U u);

    default BiConsumer<T, U> andThen(BiConsumer<? super T, ? super U> after) {
        Objects.requireNonNull(after);

        return (l, r) -> {
            accept(l, r);
            after.accept(l, r);
        };
    }
}

accept 方法示例

tips: 需要配合文末示例相关代码类食用

示例一

查询所有学生的成绩:

	@Test
    public void test() {
        StudentScoreDto studentScoreDto = new StudentScoreDto();
        Student student = new Student();
        this.doHandler(student, studentScoreDto, StudentAssemble::queryList, StudentAssemble::calcSort);
        System.out.println(JSONObject.toJSONString(studentScoreDto));
    }

执行结果:

在这里插入图片描述

示例二

查询 “张三” 同学的成绩:

	@Test
    public void test() {
        StudentScoreDto studentScoreDto1 = new StudentScoreDto();
        Student student1 = new Student();
        student1.setName("张三");
        this.doHandler(student1, studentScoreDto1, StudentAssemble::queryList, StudentAssemble::calcSort);
        System.out.println(JSONObject.toJSONString(studentScoreDto1));
    }

执行结果:

在这里插入图片描述

andThen 方法示例

示例一

在这里插入图片描述

查询所有学生的成绩,并且输出第一名是哪位同学;

@Test
    public void test() {
        StudentScoreDto studentScoreDto2 = new StudentScoreDto();
        Student student2 = new Student();
        this.doHandler(student2, studentScoreDto2, StudentAssemble::queryList, StudentAssemble::calcSort, StudentAssemble::findFirst);
        System.out.println(JSONObject.toJSONString(studentScoreDto2));
    }

执行结果:

示例二

查询所有学生的成绩,并且输出 “李四” 同学的排名和总分;

@Test
    public void test() {
        StudentScoreDto studentScoreDto3 = new StudentScoreDto();
        studentScoreDto3.setName("李四");
        Student student3 = new Student();
        this.doHandler(student3, studentScoreDto3, StudentAssemble::queryList, StudentAssemble::calcSort, StudentAssemble::findFirst);
        System.out.println(JSONObject.toJSONString(studentScoreDto3));
    }

执行结果:

在这里插入图片描述

示例相关代码类

tips: 需要配合文末示例相关代码类食用

dohandler 方法

tip:注意这里是方法!!

	public void doHandler(Student student,
                          StudentScoreDto dto,
                          Function<Student, List<StudentScore>> func1,
                          BiConsumer<List<StudentScore>, StudentScoreDto> func2) {
        List<StudentScore> apply = func1.apply(student);
        func2.accept(apply, dto);
    }

    public void doHandler(Student student,
                          StudentScoreDto dto,
                          Function<Student, List<StudentScore>> func1,
                          BiConsumer<List<StudentScore>, StudentScoreDto> func2,
                          BiConsumer<List<StudentScore>, StudentScoreDto> func3) {
        List<StudentScore> apply = func1.apply(student);
        func2.accept(apply, dto);
        func3.andThen(func2).accept(apply, dto);
    }

student.java

@AllArgsConstructor
@NoArgsConstructor
@Data
public class Student {

    /**
     * 姓名
     */
    private String name;
    /**
     * 年龄
     */
    private Integer age;
    /**
     * 生日
     */
    @JSONField(format="yyyy-MM-dd HH:mm:ss")
    private Date birthday;
    /**
     * 学号
     */
    private Integer num;

    @Override
    public String toString() {
        return "Student{" +
                "name='" + name + '\'' +
                ", age=" + age +
                ", birthday=" + birthday +
                ", num=" + num +
                '}';
    }

StudentScore.java

@AllArgsConstructor
@NoArgsConstructor
@Data
public class StudentScore {

    /**
     * 名称
     */
    private String name;
    /**
     * 科目
     */
    private String subject;
    /**
     * 成绩
     */
    private Integer score;

}

StudentScoreDto.java

@AllArgsConstructor
@NoArgsConstructor
@Data
public class StudentScoreDto {

    /**
     * 名称
     */
    private String name;
    /**
     * 科目
     */
    private String subject;
    /**
     * 成绩
     */
    private Integer score;
    /**
     * 个人排名
     */
    private Integer rank;
    /**
     * 全班排名
     */
    private List<StudentScoreDto> rankList;

}

StudentAssemble.java

public class StudentAssemble {
    /**
     * 查询学生成绩列表
     *
     * @param student 学生实体对象
     * @return 学生成绩集合
     */
    public static List<StudentScore> queryList(Student student) {
        // 模拟查询学生信息
        List<StudentScore> studentScores = Arrays.asList(
                new StudentScore("张三", "语文", 81),
                new StudentScore("张三", "数学", 88),
                new StudentScore("张三", "英语", 90),
                new StudentScore("李四", "语文", 72),
                new StudentScore("李四", "数学", 97),
                new StudentScore("李四", "英语", 77),
                new StudentScore("王五", "语文", 95),
                new StudentScore("王五", "数学", 62),
                new StudentScore("王五", "英语", 92));
        if (Objects.isNull(student) || StringUtils.isEmpty(student.getName())) {
            return studentScores;
        }
        String name = student.getName();
        return studentScores.stream().filter(e -> name.equals(e.getName())).collect(Collectors.toList());
    }

    /**
     * 计算总分以及排名
     *
     * @param studentScoreList 学生成绩集合
     * @param studentScoreDto  学生成绩DTO
     */
    public static void calcSort(List<StudentScore> studentScoreList, StudentScoreDto studentScoreDto) {
        if (studentScoreList == null || studentScoreList.size() == 0) {
            return;
        }
        List<StudentScoreDto> tempList = new ArrayList<>();
        Map<String, List<StudentScore>> studentScoreMap = studentScoreList.stream().collect(Collectors.groupingBy(StudentScore::getName));
        for (List<StudentScore> value : studentScoreMap.values()) {
            if (value == null || value.size() == 0) continue;
            StudentScore studentScore = value.get(0);
            // 汇总学生总成绩,如果成绩不存在,则直接给0
            Integer sumScore = value.stream().map(StudentScore::getScore).reduce(Integer::sum).orElse(0);
            StudentScoreDto resultDto = new StudentScoreDto();
            resultDto.setName(studentScore.getName());
            resultDto.setScore(sumScore);
            tempList.add(resultDto);
        }
        AtomicInteger counter = new AtomicInteger(1);
        // 处理排名
        List<StudentScoreDto> resultList = tempList.stream().sorted(Comparator.comparing(StudentScoreDto::getScore).reversed()).collect(Collectors.toList());
        resultList.forEach(e -> e.setRank(counter.getAndIncrement()));
        studentScoreDto.setRankList(resultList);
    }

    /**
     * 查询学生成绩
     *
     * @param studentScoreList 学生成绩集合
     * @param studentScoreDto  学生成绩DTO
     */
    public static void findFirst(List<StudentScore> studentScoreList, StudentScoreDto studentScoreDto) {
        if (studentScoreList == null || studentScoreList.size() == 0) {
            return;
        }
        List<StudentScoreDto> rankList = studentScoreDto.getRankList();
        if (StringUtils.isEmpty(studentScoreDto.getName())) {
            // 学生名称为空,则输出第一名
            Optional<StudentScoreDto> first = rankList.stream().min(Comparator.comparing(StudentScoreDto::getRank));
            if (first.isPresent()) {
                StudentScoreDto studentScoreDto1 = first.get();
                System.out.println("第一名是:" + studentScoreDto1.getName() + ", 总分:" + studentScoreDto1.getScore());
            }
            return;
        }
        // 学生名称不为空,则输出学生排名
        Optional<StudentScoreDto> first = rankList.stream().filter(e -> studentScoreDto.getName().equals(e.getName())).findFirst();
        if (first.isPresent()) {
            StudentScoreDto studentScoreDto1 = first.get();
            System.out.println(studentScoreDto1.getName() + " 排名:" + studentScoreDto1.getRank() + ", 总分:" + studentScoreDto1.getScore());
        }
    }

感 谢 各 位 大 佬 的 阅 读,随 手 点 赞,日 薪 过 万~! !!

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.coloradmin.cn/o/1125848.html

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈,一经查实,立即删除!

相关文章

Redbook Chapter 7: Query Optimization翻译批注

首先说明一下redbook上的几篇文章是做什么的。这几篇文章是通过几位作者对不同方面的论文进行阅读和筛选后&#xff0c;挑出其中具备代表性或者权威的论文来做分析&#xff0c;为读者提供阅读指导和建议&#xff0c;同时&#xff0c;也是对某个方面的论文进行高度的总结&#x…

决策树完成图片分类任务

数据集要求&#xff1a; 训练集 和 验证集 &#xff08;要求分好&#xff09; 图片放置规则 &#xff1a; 一个总文件夹 放类别名称的子文件夹 其中子文件夹 为存放同一类别图片 举个例子 分类动物 则 总文件夹名称为动物 子文件夹为 猫 狗 猪猪 。。。 其中猫的文件夹里面…

关于设置图标

1. exe图标 visual studio给编译的exe程序添加程序图标的方法_vs编译的exe图标-CSDN博客 2.窗口图标和任务栏图标 setWindowIcon 3.任务管理器的图标 外部是exe的图标&#xff0c;内部是窗口图标。

更改idea的JDK版本

有时候我们需要更改 idea 的 JDK 版本&#xff0c;这里告诉大家更改的方法&#xff0c;非常简单快捷&#xff0c;而且也不需要去找 JDK 的资源 1.在 idea 的左上角找到 File 选择 Peoject Structure 2.在页面左上角找到 Project &#xff0c;点击 SDK 的框&#xff0c;选择 A…

动态规划之买卖股票全解析【通俗易懂】

文章目录 前言一、无限制数1、无限次买入卖出且无手续费2、无限次买入卖出且无手续费&#xff0c;但是有冷冻期3、无限次买入卖出但是有手续费4、只能买卖一次 二、有限制数 前言 买卖股票问题是动态规划中最经典的问题我把这一类问题分为两大类。一类是没有限制的&#xff0c…

【java源码】医院绩效考核系统源码 支持主流的“成本法”、“工作量法”、“平衡计分卡法”的绩效方案

医院绩效考核系统源码 &#xff0c;&#xff08;有项目应用案例&#xff09;可适应医院多种绩效核算方式。 医院绩效考核管理系统是采用B/S架构模式设计、使用JAVA语言开发、后台使用MySql数据库进行管理的一整套计算机应用软件。系统和his系统进行对接&#xff0c;按照设定周期…

Node编写用户注册接口

目录 前言 创建服务器 编写注册接口API 创建路由对象&#xff0c;将路由对象导出去 将路由对象导出到服务器中 判断用户发起注册请求时是否输入账号或密码 验证表单数据 在数据库中创建表 在node中绑定mysql数据库 判断用户注册的账号密码是否已经被注册 密码加密 完…

Redis详细安装教程

一、Redis 的安装及启动停止 1-1 下载 redis的压缩包 wget https://download.redis.io/releases/redis-5.0.14.tar.gz1-2 开始解压 redis tar -zxvf redis-5.0.14.tar.gz1-3 执行 make 命令编译 make PREFIX/usr/redis install &#xff08;如果不加prefix 默认安装到/usr/…

Java IDEA feign调用上传文件MultipartFile以及实体对象亲测可行

Java IDEA feign调用上传文件MultipartFile以及实体对象亲测可行 1. 报错 java.lang.IllegalStateException: Body parameter cannot be used with form parameters2. 解决参考 1. 报错 java.lang.IllegalStateException: Body parameter cannot be used with form parameters …

【API篇】六、Flink输出算子Sink

文章目录 1、输出到外部系统2、输出到文件3、输出到KafKa4、输出到MySQL&#xff08;JDBC&#xff09;5、自定义Sink输出 Flink做为数据处理引擎&#xff0c;要把最终处理好的数据写入外部存储&#xff0c;为外部系统或应用提供支持。与输入算子Source相对应的&#xff0c;输出…

docker部署rabbitmq的坑

背景 今天用docker部署rabbitmq&#xff0c;启动都一起正常&#xff0c;但是当访问15672端口时&#xff0c;不能加载出页面。 排查 1.防火墙是否开启 ufw status2.ip是否能ping通 ping 192.168.x.x3.检查docker日志 docker psdocker logs -f 容器id4.进入容器&#xff0c…

Visual Studio Code (VS Code)安装教程

Visual Studio Code&#xff08;简称“VS Code”&#xff09;。 1.下载安装包 VS Code的官网&#xff1a; Visual Studio Code - Code Editing. Redefined 首先提及一下&#xff0c;vscode是不需要破解操作的&#xff1b; 第一步&#xff0c;看好版本&#xff0c;由于我的系…

性能测试连载-负载场景模型构建

业务需求 假设公司领导现在给你分配了一个性能测试需求如下&#xff1a; 1&#xff1a;公司有1000人在上班时间段会登录平台进行打卡操作&#xff0c;可能会登录打卡多次 2&#xff1a;业务高峰时间段在8:00-8:30&#xff0c;半小时 3&#xff1a;需要保证90%用户的响应时间在…

GB28181学习(十二)——报警事件通知和分发

要求 发生报警事件时&#xff0c;源设备将报警信息发送给SIP服务器&#xff1b;报警事件通知和分发使用MESSAGE方法&#xff1b;源设备包括&#xff1a; SIP设备网关SIP客户端联网系统综合接处警系统以及卡口系统 目标设备包括&#xff1a; 具有接警功能的SIP客户端联网系统综…

【斗破年番】官方终于回应,萧潇删减不属实,两线索佐证,彩鳞咖位不会降

【侵权联系删除】【文/郑尔巴金】 斗破苍穹年番动画虽然火爆&#xff0c;但是问题也很多&#xff0c;动不动就上演一出魔改&#xff0c;引发粉丝们的疯狂吐槽。先是萧炎与美杜莎女王的陨落心炎失身戏份遭删减&#xff0c;如今当萧炎回蛇人族&#xff0c;又魔改了美杜莎女王怀孕…

06、Python 序列 与 列表 与 元组 的关系和创建 和 简单使用

目录 序列元组与列表关系总结 创建元组与列表方式一创建元组注意点 创建元组与列表方式二简单使用通过索引访问元素子序列序列加法序列乘法in运算 了解Python序列 创建列表和元组 通过索引访问元素 子序列 序列运算 序列 所谓序列&#xff0c;指的是一种包含多项数据的数据结…

【面试经典150 | 链表】循环链表

文章目录 Tag题目来源题目解读解题思路方法一&#xff1a;哈希集合方法二&#xff1a;快慢指针方法三&#xff1a;计数 拓展其他语言python3 写在最后 Tag 【快慢指针】【哈希集合】【计数】【链表】 题目来源 141. 环形链表 题目解读 判断一个链表中是否存在环。 解题思路 …

vue2中,下拉框多选和全选的实现

vue2中&#xff0c;下拉框多选和全选的实现 代码布局在methods: 中添加功能函数较为完整的一个整体代码&#xff1a; 如图所示点击全选即可完成下拉框中全部子项的全部的选中&#xff0c;同时取消全选即可全部取消选择。 代码布局 <div class"chos-box2"><…

STM32入门F4

学习资料&#xff1a;杨桃电子&#xff0c;官网&#xff1a;洋桃电子 | 杜洋工作室 www.doyoung.net 嵌入式开发核心宗旨&#xff1a;以最适合的性能、功能、成本来完成最有性价比的产品开发。 1.为什么要学F407 STM32F103系列与STM32F407系列对照表&#xff1a; 2.F4系列命…

Ruo-Yi前后端分离版本相关笔记

1.前提条件和基础 Spring Boot Vue 环境要求&#xff1a;Jdk1.8以上版本、MySql数据库、Redis、Maven、Vue 2.使用若依 官网地址&#xff1a;RuoYi-Vue: &#x1f389; 基于SpringBoot&#xff0c;Spring Security&#xff0c;JWT&#xff0c;Vue & Element 的前后端分…