Reputation: 117
Having a situation where my java code is symbolic to query -
SELECT CUSTOMER_ID,
CUSTOMER_NAME,
CASE
WHEN COUNT (DISTINCT CARD_ID) > 1 THEN 'MULTIPLE'
ELSE MAX(CARD_NUM)
END AS CARD_NUM
FROM CUSTOMER LEFT JOIN CARD ON CARD.CUSTOMER_ID = CUSTOMER.CUSTOMER_ID
GROUP BY CUSTOMER_ID, CUSTOMER_NAME
Java code for detailed info -
CriteriaBuilder cb = em.getCriteriaBuilder();
final CriteriaQuery<Tuple> query = cb.createQuery(Tuple.class);
final Root<Customer> root = query.from(Customer.class);
Expression<Object> caseSelect = cb.selectCase()
.when(cb.greaterThan(cb.countDistinct(join.get(Card_.cardId)), 1L), "MULTIPLE")
.otherwise(cb.greatest(Card_.get(Card_.cardNum)));
caseSelect.alias("card_num");
selects.add(caseSelect);
query.multiselect(selects).distinct(true);
query.groupBy(exprs);
query.orderBy(cb.asc(caseSelect));
Now, how to do the order by in Criteria API.
Any way to just order by Alias name? I see Order is Expression type, and how to get an expression from string name. I guess you can do this in Hibernate. Would it be possible to use hibernate orderby in criteria API anyways ? Guess a stupid q
Any help is appreciated.
Upvotes: 6
Views: 4352
Reputation: 93
I faced a similar situation...
query.multiselect(root, computedColumn);
query.orderBy(new Order[]{filterDTO.getSortAsc() ? cb.asc(cb.literal(2)) : cb.desc(cb.literal(2))});
I my case computedColumn is Subquery...I did not manage to make it work by column alias but it seems to work by column index returned in the tupple so I guess in your code it should work by index 1
query.orderBy(cb.asc(cb.literal(1)));
Upvotes: 5
Reputation: 3275
Using the Criteria API, you need to order by the caseSelect
expression. I gave it a try and it works fine with Hibernate 5.4. Which version do you use?
Upvotes: 2
Reputation: 117
This is fairly not possible and just feels like a case missed by JPA. Though if using hibernate API it is possible. But, my workaround was -
Now in the order by you could mention the column name by View.column_name.
Upvotes: 0
Reputation: 16400
It seems this is not possible with the JPA Criteria API and you will have to fallback to using JPQL/HQL instead.
Upvotes: 1