Java8:如何使用lambda表达式将所选字段的值从一个对象复制到另一个对象

前端之家收集整理的这篇文章主要介绍了Java8:如何使用lambda表达式将所选字段的值从一个对象复制到另一个对象前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
我正在尝试理解 java8的新函数:forEach和lambda表达式.

试图重写这个功能

public <T extends Object> T copyValues(Class<T> type,T source,T result)
        throws IllegalAccessException
{
    for(Field field : getListOfFields(type)){
        field.set(result,field.get(source));
    }
    return result;
}

使用lambda.

我认为它应该是这样的,但不能使它正确:

() -> {
     return getListOfFields(type).forEach((Field field) -> {
            field.set(result,field.get(source));
     });
};

解决方法

您可以通过以下方式使用函数
@FunctionalInterface
interface CopyFunction<T> {
    T apply(T source,T result) throws Exception;
}

public static <T> CopyFunction<T> createCopyFunction(Class<T> type) {
    return (source,result) -> {
        for (Field field : getListOfFields(type)) {
            field.set(result,field.get(source));
        }
        return result;
    };
}

然后:

A a1 = new A(1,"one");
A a2 = new A(2,"two");
A result = createCopyFunction(A.class).apply(a1,a2);

CopyFunction功能接口与@L_404_1@几乎相同,只是BinaryOperator不会抛出异常.如果要处理函数中的异常,可以使用BinaryOperator.

原文链接:https://www.f2er.com/java/128361.html

猜你在找的Java相关文章