java中如何将List<Bean> 集合转成新的集合
时间: 2024-04-16 11:28:54 浏览: 101
在Java中,可以使用流(Stream)来将一个List<Bean>集合转换为新的集合。流提供了强大的操作和转换功能,可以方便地对集合进行处理。
下面是一个示例代码,演示了如何将List<Bean>集合转换为新的集合:
```java
import java.util.List;
import java.util.stream.Collectors;
public class Main {
public static void main(String[] args) {
List<Bean> beanList = ...; // 原始的List<Bean>集合
// 使用流将List<Bean>集合转换为新的List<NewBean>集合
List<NewBean> newBeanList = beanList.stream()
.map(bean -> new NewBean(bean.getProperty1(), bean.getProperty2())) // 使用map方法进行元素转换
.collect(Collectors.toList()); // 使用collect方法将转换后的元素收集到新的List中
// 输出新的List<NewBean>集合
for (NewBean newBean : newBeanList) {
System.out.println(newBean);
}
}
}
// 原始的Bean类
class Bean {
private String property1;
private int property2;
// 构造方法、getter和setter省略
}
// 新的Bean类
class NewBean {
private String property1;
private int property2;
public NewBean(String property1, int property2) {
this.property1 = property1;
this.property2 = property2;
}
// getter和setter省略
@Override
public String toString() {
return "NewBean{" +
"property1='" + property1 + '\'' +
", property2=" + property2 +
'}';
}
}
```
在上述示例代码中,我们使用了流的`map`方法来进行元素转换,通过lambda表达式指定了如何将原始的Bean对象转换为新的NewBean对象。然后,使用`collect`方法将转换后的元素收集到新的List中。
你可以根据实际需求修改Bean和NewBean类的属性和构造方法,以适应你的业务逻辑。
阅读全文