我发现需要通过子类中的属性来限制子集合的大小。
在关注this guide之后,我有以下内容:
@FilterDef(name="dateFilter", parameters=@ParamDef( name="fromDate", type="date" ) )
public class SystemNode implements Serializable {
@Getter
@Setter
@Builder.Default
// "startTime" is a property in HealthHistory
@Filter(name = "dateFilter", condition = "startTime >= :fromDate")
@OneToMany(mappedBy = "system", targetEntity = HealthHistory.class, fetch = FetchType.LAZY)
private Set<HealthHistory> healthHistory = new HashSet<HealthHistory>();
public void addHealthHistory(HealthHistory health) {
this.healthHistory.add(health);
health.setSystem(this);
}
}
但是,在使用Spring Data JPA时,我并不真正了解如何切换此过滤器。我正在提取我的父实体:
public SystemNode getSystem(UUID uuid) {
return systemRepository.findByUuid(uuid)
.orElseThrow(() -> new EntityNotFoundException("Could not find system with id " + uuid));
}
此方法又调用Spring支持的存储库接口:
public interface SystemRepository extends CrudRepository<SystemNode, UUID> {
Optional<SystemNode> findByUuid(UUID uuid);
}
如何让这个过滤器与Spring一起很好地玩?我想以编程方式激活它当我需要它时,而不是全局。在某些情况下,忽视过滤器是可行的。
我正在使用Spring Boot 1.3.5.RELEASE
,目前无法更新。
答案 0 :(得分:0)
更新和解决方案
我在上面的评论中按照我的建议尝试了以下内容。
@Autowired
private EntityManager entityManager;
public SystemNode getSystemWithHistoryFrom(UUID uuid) {
Session session = entityManager.unwrap(Session.class);
Filter filter = session.enableFilter("dateFilter");
filter.setParameter("fromDate", new DateTime().minusHours(4).toDate());
SystemNode systemNode = systemRepository.findByUuid(uuid)
.orElseThrow(() -> new EntityNotFoundException("Could not find system with id " + uuid));
session.disableFilter("dateFilter");
return systemNode;
}
我在FilterDef
注释中输入错误:
@FilterDef(name="dateFilter", parameters=@ParamDef( name="fromDate", type="timestamp" ) )
我从date
更改为timestamp
。
返回正确数量的对象,并根据数据库进行验证。
谢谢!