如何在运行时为嵌套属性创建 CriteriaBuilder 表达式?

How to create a CriteriaBuilder expression in runtime for nested attributes?

我正在尝试使用标准 API 创建一个用于深度过滤的通用方法。

例如,如果我想过滤一个属性 "id.person.name" 或 3 个以上的嵌套属性。

我已经有了用于 2 个嵌套属性的过滤器,例如:"person.name"。

下面的 elseif 条件适用于 3 个嵌套属性,但我正在尝试创建一个在出现新情况时不需要更改的方法。

private <T> List<Predicate> filterInDepth(Map<String, String> params, Root<T> root,
        CriteriaBuilder criteriaBuilder, String field, Class<T> clazz)
        throws NoSuchFieldException {
    List<Predicate> predicates = new ArrayList<>();
    String[] compositeFields = field.split(REGEX_FIELD_SPLITTER);
    if (compositeFields.length == 2) {
        Join<Object, Object> join = root.join(compositeFields[0]);
        predicates.add(criteriaBuilder.equal(join.get(compositeFields[1]),
                params.get(field)));
    }
    else if (clazz.getDeclaredField(compositeFields[0]).getType()
            .getDeclaredField(compositeFields[1]).getType()
            .getDeclaredField(compositeFields[2]) != null) {
        predicates.add(criteriaBuilder.equal(root.get(compositeFields[0])
                .get(compositeFields[1]).get(compositeFields[2]), params.get(field)));
    }
    return predicates;
}

所以我正在尝试拆分字符串、循环并创建一个表达式。但是我无法连接表达式。

我找到了一个解决方案希望对某人有所帮助。

private <T> List<Predicate> filterInDepth(Map<String, String> params, Root<T> root,
        CriteriaBuilder criteriaBuilder, String field, Class<T> clazz)
        throws NoSuchFieldException {
    List<Predicate> predicates = new ArrayList<>();
    String[] compositeFields = field.split(REGEX_FIELD_SPLITTER);

    if (isNestedFieldExists(clazz, compositeFields)) {
        Path path = null;
        for (String part : compositeFields) {
            if (path == null) {
                path = root.get(part);
            }
            else {
                path = path.get(part);
            }
        }

        predicates.add(criteriaBuilder.equal(path, params.get(field)));
    }

    return predicates;
}

private boolean isNestedFieldExists(Class clazz, String[] fieldChain)
        throws NoSuchFieldException {
    for (String field : fieldChain) {
        Field f = clazz.getDeclaredField(field);
        if (f.getType() == null) {
            return false;
        }

        clazz = f.getType();
    }

    return true;
}