我有3个表,例如alarm
,alarmTag
和alarm_alarmTag
。 alarm
和alarmTag
表具有ManyToMany关系。 alarm_alarmTag
表正在映射alarm
和alarmTag
表。
每个警报可以具有许多警报标签。例如,alarm1
具有tag1
和tag2
。因此,我想创建一个搜索过滤器,当我在该过滤器上选择tag1
时,我想显示具有tag1
的警报。
我已经使用join完成了此操作,但是问题是当我过滤tag1
时,它在标签列上仅显示tag1
,但该列上还有其他标签。
过滤器之前:
+------------------+
| alarm table |
+------------------+
| id | tag |
+------------------+
| 1 | tag1, tag2 |
| 2 | tag3, tag4 |
+------------------+
用tag1
过滤后:
+------------------+
| alarm table |
+------------------+
| id | tag |
+------------------+
| 1 | tag1 |(this column must also have `tag2`)
+------------------+
型号:
public class ActiveAlarm {
@Id
private Long id;
@ManyToMany(cascade = CascadeType.PERSIST)
private Set<AlarmTag> alarmTag;
}
控制器:
@GetMapping("/active")
public List<ActiveAlarmView> findAll(@RequestParam(required = false, defaultValue = "") List<Long> alarmTag) {
var data = repository.findAll(ActiveAlarmSpecification.filter(alarmTag));
return data.stream().map(record -> ActiveAlarmView.builder()
.id(record.getId())
.alarmTag(record.getAlarmTag()))
.build()).collect(Collectors.toList());
}
过滤器规范:
public class ActiveAlarmSpecification {
/**
* Filter Specification.
*/
public static Specification<ActiveAlarm> filter(List<Long> alarmTag) {
return (root, query, cb) -> {
query.distinct(true);
ArrayList<Predicate> predicates = new ArrayList<>();
if (!alarmTag.isEmpty()) {
//***problem is in this line***
predicates.add(root.join("alarmTag").get("id").in(alarmTag));
}
return cb.and(predicates.toArray(new Predicate[0]));
};
}
}
alarmTag模型:
public class AlarmTag {
@Id
private Long id;
private String label;
}
这是我的请求链接:http://localhost:8080/api/test/v1/alarm/active?alarmTag=1
答案 0 :(得分:0)
您将不得不分别获取它们,或者使用group by
来汇总标签名称/ ID(不幸的是,使用DTO进行投影)。
其背后的原因就是SQL将会产生什么。查询将为+-,例如:
SELECT * FROM alarm a JOIN alarm_tag at ON ... JOIN tag t ON ... WHERE t.id IN (your,tags)
当您只有一个标签时,此查询结果将不包含ID与IN
子句中ID不同的其他标签
您将获得所有想要的警报,但是标记会从结果中过滤掉-这真是您在这里看到的一切
您可以尝试将root.join
替换为root.fetch
,也可以尝试另外使用root.fetch
,但是我不确定两者是否都可以。
答案 1 :(得分:0)
我找到了解决方案,方法是使用Collections.disjoint
过滤控制器中的数据。我没有使用条件构建器,因此我删除了filter Specification
。但是我想使用标准构建器,因此如果有人可以找到解决方案,请发布它。
这是解决方案:
@GetMapping("/active")
public List<ActiveAlarmView> findAll(@RequestParam(required = false, defaultValue = "")
List<Long> alarmTag) {
return data.stream().filter(r -> !alarmTag.isEmpty() ? !disjoint(r.getAlarmTag().stream().map(x -> x.getId()).collect(Collectors.toList()), alarmTag) : true)
.map(record -> ActiveAlarmView.builder()
.id(record.getId())
.alarmTag(record.getAlarmTag()))
.build()).collect(Collectors.toList());
}