java——supplier的使用

一、官方给的接口

使用FunctionalInterface注解修饰接口,只有一个get方法

@FunctionalInterface
public interface Supplier<T> {

    /**
     * Gets a result.
     *
     * @return a result
     */
    T get();
}

二、解析

如下列代码所示:

使用Supplier创建对象,语法结构:

无参数:

1. Supplier<T> instance = T::new;

2. Supplier<T> instance = () -> new T();

有参数:

1. Function<String, T> fun = T::new;
    fun.apply("test");

2. Function<String, T> fun2 = str -> new T(str);
    fun2.apply("test2");

注:每次调用get方法都会创建一个对象,下面的代码中调用了两次get方法,打印的hashcode是不一样的!

public class TestSupplier {
	public static void main(String[] args) {
		//无参数1:
		Supplier<TestSupplier> sup = TestSupplier::new;
		sup.get();
		sup.get();
		//无参数2:
		Supplier<TestSupplier> sup2 = () -> new TestSupplier();
		sup2.get();
		sup2.get();
		
		//有参数1:
		Function<String, TestSupplier> fun = TestSupplier::new;
		fun.apply("test");
		//有参数2:
		Function<String, TestSupplier> fun2 = str -> new TestSupplier(str);
		fun2.apply("test2");
	}

	public TestSupplier() {
		System.out.println(this.hashCode());
	}
	
	public TestSupplier(String str) {
		System.out.println(this.hashCode() + ",参数:" + str);
	}
}
发布了131 篇原创文章 · 获赞 1663 · 访问量 56万+

猜你喜欢

转载自blog.csdn.net/qq_26230421/article/details/105193613