如果您需要 TriFunction,只需执行以下操作:
@FunctionalInterface
interface TriFunction<A,B,C,R> {
R apply(A a, B b, C c);
default <V> TriFunction<A, B, C, V> andThen(
Function<? super R, ? extends V> after) {
Objects.requireNonNull(after);
return (A a, B b, C c) -> after.apply(apply(a, b, c));
}
}
以下小程序显示了如何使用它。请记住,结果类型被指定为最后一个泛型类型参数。
public class Main {
public static void main(String[] args) {
BiFunction<Integer, Long, String> bi = (x,y) -> ""+x+","+y;
TriFunction<Boolean, Integer, Long, String> tri = (x,y,z) -> ""+x+","+y+","+z;
System.out.println(bi.apply(1, 2L)); //1,2
System.out.println(tri.apply(false, 1, 2L)); //false,1,2
tri = tri.andThen(s -> "["+s+"]");
System.out.println(tri.apply(true,2,3L)); //[true,2,3]
}
}
我猜如果TriFunction有实际用途,或者它本来会被定义。不过,我永远不会超过22个论点;-)我的意思是,所有允许流式传输集合的新代码都不需要TriFunction作为任何方法参数。所以它不包括在内。java.util.*
java.lang.*
更新
为了完整并遵循另一个答案(与咖喱相关的)中的破坏性函数解释,以下是如何在没有附加接口的情况下模拟TriFunction:
Function<Integer, Function<Integer, UnaryOperator<Integer>>> tri1 = a -> b -> c -> a + b + c;
System.out.println(tri1.apply(1).apply(2).apply(3)); //prints 6
当然,也可以通过其他方式组合功能,例如:
BiFunction<Integer, Integer, UnaryOperator<Integer>> tri2 = (a, b) -> c -> a + b + c;
System.out.println(tri2.apply(1, 2).apply(3)); //prints 6
//partial function can be, of course, extracted this way
UnaryOperator partial = tri2.apply(1,2); //this is partial, eq to c -> 1 + 2 + c;
System.out.println(partial.apply(4)); //prints 7
System.out.println(partial.apply(5)); //prints 8
虽然对于任何支持 lambda 以外的函数式编程的语言来说,currying 都是很自然的,但 Java 并不是以这种方式构建的,虽然可以实现,但代码很难维护,有时甚至难以阅读。但是,它作为练习非常有用,有时部分函数在代码中具有应有的位置。