通过具有ManyToOne关系的实体上的Hibernate Projections在SQL查询上使用更少的列

时间:2009-10-24 16:09:32

标签: java sql hibernate criteria projection

我正在尝试构建一个较小的SQL,以避免默认情况下为hibernate Criteria构建的“select * from A”。

如果我使用简单字段(无关系),通过“变形金刚”,我可以设法使用这个SQL:

select description, weight from Dog;

嗨,我有这个实体:

@Entity
public class Dog
{
   Long id;
   String description;
   Double weight;
   @ManyToOne(fetch = FetchType.LAZY)
   @JoinColumn(name = "person_id", nullable = false)
   Person owner;
}

@Entity
public class Person
{
   Long id;
   String name;
   Double height;
   Date birthDate;
}

我的目标是拥有:

select description, weight, owner.name from Dog

我尝试使用Criteria(和子标准):

Criteria dogCriteria = sess.createCriteria(Dog.class);
ProjectionList proList = Projections.projectionList();
proList.add(Projections.property("description"), description);
proList.add(Projections.property("weight"), weigth);
dogCriteria.setProjection(proList);

Criteria personCriteria = dogCriteria.createCriteria("owner");
ProjectionList ownerProList = Projections.projectionList();
ownerProList.add(Projections.property("name"), description);    
dogCriteria.setProjection(ownerProList);  //After this line,  debugger shows that the
                                          //projection on dogCriteria gets overriden
                                          //and the query fails, because "name" is
                                          //not a field of Dog entity.

我应该如何使用Projections来获得更小的SQL,更少的列? 提前谢谢。

2 个答案:

答案 0 :(得分:4)

首先,

select description, weight, owner.name from Dog

是无效的SQL。它必须是

之类的东西
select description, weight, Person.name
 from Dog join Person on Dog.person_id = Person.id

代替。其次,为什么?虽然可以做你想做的事情(见下文),但是通过Criteria API这样做非常冗长,你无需为此付出任何代价。除非所述列是巨大的blob或者您选择了数十万条记录,否则几列的数据传输节省可以忽略不计。在任何一种情况下,都有更好的方法来处理这个问题。

Anywho,为了做你想要的标准,你需要通过别名加入链接表(Person),并使用所述别名指定标准的投影:

Criteria criteria = session.createCriteria(Dog.class, "dog")
 .createAlias("owner", "own")
 .setProjection( Projections.projectionList()
   .add(Projections.property("dog.description"))
   .add(Projections.property("dog.weight"))
   .add(Projections.property("own.name"))
 );

Criteria Projections documentation中有上述说明和示例。请记住,执行时,上述条件将返回对象数组列表。您需要指定ResultTransformer才能将结果转换为实际对象。

答案 1 :(得分:0)

我自己还没有尝试过,但是我认为您也可以在Entity(Pojo)中使用另一个构造函数,然后在其中传递列。 有关详细说明,请参见https://www.thoughts-on-java.org/hibernate-best-practices/章“ 1.2 Pojo”。 虽然对我来说还不清楚,这是否也适用于ManyToOne关系。我会尝试的。