使用lambda表达式获取list中所有对象的某个属性以及获取特定属性的某一个对象
获取List中所有对象的某个属性
案例如下:获取users中的所有userName
public class UserEntity implements Serializable {
private Integer id;
private String userName;
private String phone;
}
public static void main(string args[]){
List<UserEntity> users=new ArrayList<>();
users.add(new UserEntity(1,"张三","18399990000"));
users.add(new UserEntity(2,"王五","18399990023"));
users.add(new UserEntity(3,"里斯","18399990005"));
// 获取list中所有对象的某个属性
List<String> courseIds= users.stream().map(UserEntity::getUserName).collect(Collectors.toList());
}
List<String> courseIds= users.stream().map(UserEntity::getUserName).collect(Collectors.toList());
获取List中某个特定属性的对象
案例:假设对象是Cart购物车,里面有product_id,product_name,count等。需要从集合中查找商品id是1的商品对象。用表达式来查询代码很简洁。
// Cart对象
@Data
@JsonIgnoreProperties(ignoreUnknown = true)
public class Cart {
/**
* 总库商品ID
*/
@JsonProperty(value = "product_id")
private Long productId;
/**
* 商品名称
*/
@JsonProperty(value = "name")
private String productName;
/**
* 数量
*/
@JsonProperty("count")
private Integer count;
}
模拟一个Cart集合,假设有两个商品牛腩饭和蛋炒饭,id是1和2。
List<Cart> cartlist = new ArrayList<Cart> (2){{
Cart cart1 = new Cart();
cart1.setProductId(1L);
cart1.setProductName("牛腩饭");
cart1.setCount(1);
add(cart1);
Cart cart2 = new Cart();
cart2.setProductId(2L);
cart2.setProductName("蛋炒饭");
cart2.setCount(1);
add(cart2);
}};
// 获取list中特定属性值的对象
Optional<Cart> cartOptional = cartlist.stream().filter(item -> item.getProductId().equals(1L)).findFirst();
if (cartOptional.isPresent()) {
// 存在
Cart cart = cartOptional.get();
} else {
// 不存在
}
Optional<Cart> cartOptional = cartlist.stream().filter(item -> item.getProductId().equals(1L)).findFirst();
或者是:
Cart cart = cartlist.stream().filter(item -> item.getProductId().equals(1L)).findFirst().get();