美文网首页
Java 8 学习: Supplier接口和Consume

Java 8 学习: Supplier接口和Consume

作者: 改了个很帅的头像 | 来源:发表于2019-01-30 16:36 被阅读0次

    (两个常用函数式接口 ) Supplier接口和Consumer接口

    函数式接口:

    定义:如果在一个接口中有且只有一个抽象方法(继承的也算在其中),那么这个接口就可以被当做是函数式接口.

    一. Supplier接口

    供应商: 从单词意思上看,它可以提供(生产)一个 泛型对象 实列 ,源码如下:

    @FunctionalInterface
    public interface Supplier<T> {
    
        /**
         * Gets a result.
         *
         * @return a result
         */
        T get();
    }
    

    实列:

    public class SupplierTest{
        
        String name = "小明";
        
        SupplierTest(){
            System.out.println(name);
        }
    
        public static void main(String[] args) {
    
            // 创建Supplier容器,声明为TestSupplier类型
            Supplier<SupplierTest> supplier = SupplierTest::new;
    
            System.out.println("get() 调用前...");
            // 调用get()方法时,才调用对象的构造方法,创建对象实列
            supplier.get();
            System.out.println("get() 调用后...");
            System.out.println(supplier);
        }
    }
    

    结果:

    get() 调用前...
    小明
    get() 调用后...


    二. Consumer接口

    消费者: 简单的说,消费参数对象且无返回值,源码如下:

    /**
     *  接受单个输入参数的操作,无返回值
     * Represents an operation that accepts a single input argument and returns no
     * result. Unlike most other functional interfaces, {@code Consumer} is expected
     * to operate via side-effects.
     */
    @FunctionalInterface
    public interface Consumer<T> {
        //  该函数式接口的唯一的抽象方法,接收一个参数,没有返回值.
        void accept(T t);
        //   在执行完调用者方法后再执行传入参数的 accept(T t)方法.
        default Consumer<T> andThen(Consumer<? super T> after) {
            Objects.requireNonNull(after);
            return (T t) -> { accept(t); after.accept(t); };
        }
    }
    }
    

    实列:

    public class CustomerTest {
        
        public static void main(String[] args) {
    
            // 创建两个容器对象
            Consumer<String> consumer1 = s -> System.out.println("hello 1 :" + s);
            Consumer<String> consumer2 = s -> System.out.println("hello 2 :" + s);
    
            //  先执行 consumer2.accept() , 如果没有异常再执行 consumer1.accept()
            consumer2.andThen(consumer1).accept("consumer");
        }
    }
    
    

    结果:

    hello 2 :consumer
    hello 1 :consumer

    完 >>>

    Java 8 Optional类 方法内部这两个接口用的比较多 --- Markdown 简单学习使用中 ...
    如有写的不对的地方,欢迎大家指正 !!!

    相关文章

      网友评论

          本文标题:Java 8 学习: Supplier接口和Consume

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