复杂选择EAV模型Spring数据jpa

时间:2017-07-21 09:10:41

标签: java sql jpa spring-data-jpa entity-attribute-value

我有一个像下面的产品实体(它是简单的版本)

@Entity
@Table(name = "product")
public class Product {
   @Id
   @GeneratedValue(strategy = GenerationType.AUTO)
   private long id;

   @OneToMany(mappedBy = "product")
   private List<ProductAtt> attributes;
}

每个产品可以有一个或多个属性。属性看起来如下

@Entity
@Table(name = "attribute")
public class Attribute {
   @Id
   @GeneratedValue(strategy = GenerationType.AUTO)
   private long id;

   private String name;
}

所以我创建了一个像下面这样的关系实体,带有额外的值属性

@Entity
@Table(name = "product_att")
public class ProductAtt implements Serializable {
    @Id
    @GeneratedValue(strategy = GenerationType.AUTO)
    private long id;

    @ManyToOne
    @JoinColumn
    private Product product;

    @ManyToOne
    @JoinColumn
    private Attribute attribute;

    private int value;
}

现在我想找到所有具有自定义值属性的产品。例如,所有产品的属性1的值为3,属性2的值为40和....

最简单,最有效的查询是什么?

1 个答案:

答案 0 :(得分:1)

由于在设计时不知道要查询的属性数,因此必须使用Spring Data JPA支持的动态查询机制之一。查询当然可以使用JPA规范或标准API构建。

如果使用QueryDSL支持,则可以使用带有exists的子查询。以下示例显示了如何完成此操作(假设Java 8和QueryDSL 4)。

interface ProductRepository
          extends CrudRepository<Product, Long>
                  , QueryDslPredicateExecutor<Product> {
  default Iterable<Product> findAllByAttributes(final Map<String, String> attributes) {
    final QProduct root = QProduct.product;
    BooleanExpression query = root.isNotNull();

    for (final String attribute : attributes.keySet()) {
      final QProductAttribute branch = root.attributes.any();
      final BooleanExpression subquery = branch.attribute.name.equalsIgnoreCase(attribute)
                                                          .and(branch.value.equalsIgnoreCase(attributes.get(attribute)));

      query = query.and(JPAExpressions.selectFrom(QProductAttribute.productAttribute).where(subquery).exists());
    }

    return findAll(query);
  }
}

应该注意的是,数据库设计必然会发生性能问题,因为同一个表(ProductAttr)被包含的次数与要搜索的属性一样多。这不是QueryDSL,JPA,Hibernate,SQL或数据库服务器的问题,而是数据模型本身(也称为EAV模型)。