Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to refer to a subclass specific field in a CriteriaQuery where the super class is queried?

I'm trying to achieve something like the following, using the JPA Criteria API:

SELECT b FROM Box b JOIN SpecialItem s WHERE s.specialAttr = :specialAttr

The objects are

Box

@Entity
public class Box implements Serializable {
  ...
  @ManyToOne
  @JoinColumn( name = "item_id" )
  Item item;
  ...
}

Item

@Entity
@Inheritance( strategy = InheritanceType.JOINED )
public class Item implements Serializable {
  @Id
  private String id;
  ...
}

SpecialItem

@Entity
public class SpecialItem extends Item {
  private String specialAttr;
  ...
}

My attempt

EntityManager em = getEntityManager();
CriteriaBuilder cb = em.getCriteriaBuilder();
CriteriaQuery cq = cb.createQuery( Box.class );
Root from = cq.from( Box.class );

// Nothing to specify SpecialItem over Item!      
Join join = from.join("item", JoinType.LEFT);

// java.lang.IllegalArgumentException: Unable to 
// resolve attribute [specialAttr] against path [null]      
Path p = join.get( "specialAttr" );

Predicate predicate = cb.equal( p, "specialValue" );
cq.where( predicate );

Not surprisingly it throws an exception because specialAttr isn't a member of class Item.

How can I return all the Boxes that contain a SpecialItem, where the SpecialItem.specialAttr has some value?

like image 933
Alex Avatar asked Jun 11 '13 10:06

Alex


2 Answers

I just want to extend the answer of Chris for the Criteria API with generated meta-model.

CriteriaQuery<Box> q = cb.createQuery(Box.class);
Root<Box> box= q.from(Box.class);
Join<Box, Item> order = box.join(Box_.item);
q.where(cb.equal(cb.treat(order, SpecialItem.class).get(SpecialItem_.specialAttr), "searchValue");
q.select(Box);
like image 138
kaba713 Avatar answered Oct 16 '22 13:10

kaba713


If using JPA 2.1 you might use

"SELECT b FROM Box b WHERE TREAT(b.item as SpecialItem).specialAttr = :specialAttr"

or

CriteriaQuery<Box> q = cb.createQuery(Box.class);
Root<Box> box= q.from(Box.class);
Join<Box, Item > order = box.join("item");
q.where(cb.equal(cb.treat(order, SpecialItem.class).get("specialAttr"),
    qb.parameter(String.class, "specialAttr")));
q.select(Box);
like image 20
Chris Avatar answered Oct 16 '22 11:10

Chris