我正在使用包含自动生成的id值的Entity类,如下所示,
@Entity
@Table(name="BlogUser")
public class User {
@Id
@GeneratedValue(strategy=GenerationType.AUTO)
@Column
private Long id;
@Column
private String username;
我尝试使用JpaRepository接口在User类中获取id的最大值。这是示例代码。
UserJpaRepository.findAll().stream().count();
但是这一行返回唯一的简单计数值,而不是User class id值的最大值。如何使用stream函数获取User实体类中的最大id值?
你可以使用Stream.max
找到它:
Long maxId = UserJpaRepository.findAll().stream()
.map(User::getId) // mapping to id
.max(Comparator.naturalOrder()) // max based on natural comparison
.orElse(Long.MIN_VALUE); // if nothing element is mapped
或者简单地说
long maxId = UserJpaRepository.findAll().stream()
.mapToLong(User::getId) // map to id
.max() // find max
.orElse(Long.MIN_VALUE);