HQL: The Hibernate Query Language
Hibernate is equipped with an extremely powerful query language that (quite intentionally)
looks very much like SQL. But don't be fooled by the syntax; HQL is fully object-oriented,
understanding notions like inheritence, polymorphism and association.
Case Sensitivity
Queries are case-insensitive, except for names of Java classes and properties.
So SeLeCT is the same as
sELEct is the same as
SELECT but
org.hibernate.eg.FOO is not
org.hibernate.eg.Foo and
foo.barSet is not
foo.BARSET.
This manual uses lowercase HQL keywords. Some users find queries with uppercase keywords
more readable, but we find this convention ugly when embedded in Java code.
The from clause
The simplest possible Hibernate query is of the form:
which simply returns all instances of the class eg.Cat.
We don't usually need to qualify the class name, since auto-import
is the default. So we almost always just write:
Most of the time, you will need to assign an alias, since
you will want to refer to the Cat in other parts of the
query.
This query assigns the alias cat to Cat
instances, so we could use that alias later in the query. The as
keyword is optional; we could also write:
Multiple classes may appear, resulting in a cartesian product or "cross" join.
It is considered good practice to name query aliases using an initial lowercase,
consistent with Java naming standards for local variables
(eg. domesticCat).
Associations and joins
We may also assign aliases to associated entities, or even to elements of a
collection of values, using a join.
The supported join types are borrowed from ANSI SQL
inner join
left outer join
right outer join
full join (not usually useful)
The inner join, left outer join and
right outer join constructs may be abbreviated.
You may supply extra join conditions using the HQL with
keyword.
10.0]]>
In addition, a "fetch" join allows associations or collections of values to be
initialized along with their parent objects, using a single select. This is particularly
useful in the case of a collection. It effectively overrides the outer join and
lazy declarations of the mapping file for associations and collections. See
for more information.
A fetch join does not usually need to assign an alias, because the associated objects
should not be used in the where clause (or any other clause). Also,
the associated objects are not returned directly in the query results. Instead, they may
be accessed via the parent object. The only reason we might need an alias is if we are
recursively join fetching a further collection:
Note that the fetch construct may not be used in queries called using
iterate() (though scroll() can be used). Nor should
fetch be used together with setMaxResults() or
setFirstResult() as these operations are based on the result rows, which
usually contain duplicates for eager collection fetching, hence, the number of rows is not what
you'd expect.
Nor may fetch be used together with an ad hoc with condition.
It is possible to create a cartesian product by join fetching more than one collection in a
query, so take care in this case. Join fetching multiple collection roles also sometimes gives
unexpected results for bag mappings, so be careful about how you formulate your queries in this
case. Finally, note that full join fetch and right join fetch
are not meaningful.
If you are using property-level lazy fetching (with bytecode instrumentation), it is
possible to force Hibernate to fetch the lazy properties immediately (in the first
query) using fetch all properties.
Forms of join syntax
HQL supports two forms of association joining: implicit and explicit.
The queries shown in the previous section all use the explicit form where
the join keyword is explicitly used in the from clause. This is the recommended form.
The implicit form does not use the join keyword. Instead, the
associations are "dereferenced" using dot-notation. implicit joins
can appear in any of the HQL clauses. implicit join result
in inner joins in the resulting SQL statement.
Refering to identifier property
There are, generally speaking, 2 ways to refer to an entity's identifier property:
The special property (lowercase) id may be used to reference the identifier
property of an entity provided that entity does not define a non-identifier property
named id.
If the entity defines a named identifier property, you may use that property name.
References to composite identifier properties follow the same naming rules. If the
entity has a non-identifier property named id, the composite identifier property can only
be referenced by its defined named; otherwise, the special id property
can be used to rerference the identifier property.
Note: this has changed significantly starting in version 3.2.2. In previous versions,
id always referred to the identifier property no
matter what its actual name. A ramification of that decision was that non-identifier
properties named id could never be referenced in Hibernate queries.
The select clause
The select clause picks which objects and properties to return in
the query result set. Consider:
The query will select mates of other Cats.
Actually, you may express this query more compactly as:
Queries may return properties of any value type including properties of component type:
Queries may return multiple objects and/or properties as an array of type
Object[],
or as a List,
or as an actual typesafe Java object,
assuming that the class Family has an appropriate constructor.
You may assign aliases to selected expressions using as:
This is most useful when used together with select new map:
This query returns a Map from aliases to selected values.
Aggregate functions
HQL queries may even return the results of aggregate functions on properties:
The supported aggregate functions are
avg(...), sum(...), min(...), max(...)
count(*)
count(...), count(distinct ...), count(all...)
You may use arithmetic operators, concatenation, and recognized SQL functions
in the select clause:
The distinct and all keywords may be used and
have the same semantics as in SQL.
Polymorphic queries
A query like:
returns instances not only of Cat, but also of subclasses like
DomesticCat. Hibernate queries may name any Java
class or interface in the from clause. The query will return instances
of all persistent classes that extend that class or implement the interface. The following
query would return all persistent objects:
The interface Named might be implemented by various persistent
classes:
Note that these last two queries will require more than one SQL SELECT. This
means that the order by clause does not correctly order the whole result set.
(It also means you can't call these queries using Query.scroll().)
The where clause
The where clause allows you to narrow the list of instances returned.
If no alias exists, you may refer to properties by name:
If there is an alias, use a qualified property name:
returns instances of Cat named 'Fritz'.
will return all instances of Foo for which
there exists an instance of bar with a
date property equal to the
startDate property of the
Foo. Compound path expressions make the
where clause extremely powerful. Consider:
This query translates to an SQL query with a table (inner) join. If you were to write
something like
you would end up with a query that would require four table joins in SQL.
The = operator may be used to compare not only properties, but also
instances:
The special property (lowercase) id may be used to reference the
unique identifier of an object. See
for more information.
The second query is efficient. No table join is required!
Properties of composite identifiers may also be used. Suppose Person
has a composite identifier consisting of country and
medicareNumber. Again, see
for more information regarding referencing identifier properties.
Once again, the second query requires no table join.
Likewise, the special property class accesses the discriminator value
of an instance in the case of polymorphic persistence. A Java class name embedded in the
where clause will be translated to its discriminator value.
You may also use components or composite user types, or properties of said
component types. See for more details.
An "any" type has the special properties id and class,
allowing us to express a join in the following way (where AuditLog.item
is a property mapped with <any>).
Notice that log.item.class and payment.class
would refer to the values of completely different database columns in the above query.
Expressions
Expressions allowed in the where clause include
most of the kind of things you could write in SQL:
mathematical operators +, -, *, /
binary comparison operators =, >=, <=, <>, !=, like
logical operations and, or, not
Parentheses ( ), indicating grouping
in,
not in,
between,
is null,
is not null,
is empty,
is not empty,
member of and
not member of
"Simple" case, case ... when ... then ... else ... end, and
"searched" case, case when ... then ... else ... end
string concatenation ...||... or concat(...,...)
current_date(), current_time(),
current_timestamp()
second(...), minute(...),
hour(...), day(...),
month(...), year(...),
Any function or operator defined by EJB-QL 3.0: substring(), trim(),
lower(), upper(), length(), locate(), abs(), sqrt(), bit_length(), mod()
coalesce() and nullif()
str() for converting numeric or temporal values to a
readable string
cast(... as ...), where the second argument is the name of
a Hibernate type, and extract(... from ...) if ANSI
cast() and extract() is supported by
the underlying database
the HQL index() function, that applies to aliases of
a joined indexed collection
HQL functions that take collection-valued path expressions: size(),
minelement(), maxelement(), minindex(), maxindex(), along with the
special elements() and indices functions
which may be quantified using some, all, exists, any, in.
Any database-supported SQL scalar function like sign(),
trunc(), rtrim(), sin()
JDBC-style positional parameters ?
named parameters :name, :start_date, :x1
SQL literals 'foo', 69, 6.66E+2,
'1970-01-01 10:00:01.0'
Java public static final constants eg.Color.TABBY
in and between may be used as follows:
and the negated forms may be written
Likewise, is null and is not null may be used to test
for null values.
Booleans may be easily used in expressions by declaring HQL query substitutions in Hibernate
configuration:
true 1, false 0]]>
This will replace the keywords true and false with the
literals 1 and 0 in the translated SQL from this HQL:
You may test the size of a collection with the special property size, or
the special size() function.
0]]>
0]]>
For indexed collections, you may refer to the minimum and maximum indices using
minindex and maxindex functions. Similarly,
you may refer to the minimum and maximum elements of a collection of basic type
using the minelement and maxelement
functions.
current_date]]>
100]]>
10000]]>
The SQL functions any, some, all, exists, in are supported when passed the element
or index set of a collection (elements and indices functions)
or the result of a subquery (see below).
all elements(p.scores)]]>
Note that these constructs - size, elements,
indices, minindex, maxindex,
minelement, maxelement - may only be used in
the where clause in Hibernate3.
Elements of indexed collections (arrays, lists, maps) may be referred to by
index (in a where clause only):
The expression inside [] may even be an arithmetic expression.
HQL also provides the built-in index() function, for elements
of a one-to-many association or collection of values.
Scalar SQL functions supported by the underlying database may be used
If you are not yet convinced by all this, think how much longer and less readable the
following query would be in SQL:
Hint: something like
The order by clause
The list returned by a query may be ordered by any property of a returned class or components:
The optional asc or desc indicate ascending or descending order
respectively.
The group by clause
A query that returns aggregate values may be grouped by any property of a returned class or components:
A having clause is also allowed.
SQL functions and aggregate functions are allowed in the having
and order by clauses, if supported by the underlying database
(eg. not in MySQL).
100
order by count(kitten) asc, sum(kitten.weight) desc]]>
Note that neither the group by clause nor the
order by clause may contain arithmetic expressions.
Also note that Hibernate currently does not expand a grouped entity,
so you can't write group by cat if all properties
of cat are non-aggregated. You have to list all
non-aggregated properties explicitly.
Subqueries
For databases that support subselects, Hibernate supports subqueries within queries. A subquery must
be surrounded by parentheses (often by an SQL aggregate function call). Even correlated subqueries
(subqueries that refer to an alias in the outer query) are allowed.
(
select avg(cat.weight) from DomesticCat cat
)]]>
Note that HQL subqueries may occur only in the select or where clauses.
Note that subqueries can also utilize row value constructor syntax. See
for more details.
HQL examples
Hibernate queries can be quite powerful and complex. In fact, the power of the query language
is one of Hibernate's main selling points. Here are some example queries very similar to queries
that I used on a recent project. Note that most queries you will write are much simpler than these!
The following query returns the order id, number of items and total value of the order for all
unpaid orders for a particular customer and given minimum total value, ordering the results by
total value. In determining the prices, it uses the current catalog. The resulting SQL query,
against the ORDER, ORDER_LINE, PRODUCT,
CATALOG and PRICE tables has four inner joins and an
(uncorrelated) subselect.
= all (
select cat.effectiveDate
from Catalog as cat
where cat.effectiveDate < sysdate
)
group by order
having sum(price.amount) > :minAmount
order by sum(price.amount) desc]]>
What a monster! Actually, in real life, I'm not very keen on subqueries, so my query was
really more like this:
:minAmount
order by sum(price.amount) desc]]>
The next query counts the number of payments in each status, excluding all payments in the
AWAITING_APPROVAL status where the most recent status change was made by the
current user. It translates to an SQL query with two inner joins and a correlated subselect
against the PAYMENT, PAYMENT_STATUS and
PAYMENT_STATUS_CHANGE tables.
PaymentStatus.AWAITING_APPROVAL
or (
statusChange.timeStamp = (
select max(change.timeStamp)
from PaymentStatusChange change
where change.payment = payment
)
and statusChange.user <> :currentUser
)
group by status.name, status.sortOrder
order by status.sortOrder]]>
If I would have mapped the statusChanges collection as a list, instead of a set,
the query would have been much simpler to write.
PaymentStatus.AWAITING_APPROVAL
or payment.statusChanges[ maxIndex(payment.statusChanges) ].user <> :currentUser
group by status.name, status.sortOrder
order by status.sortOrder]]>
The next query uses the MS SQL Server isNull() function to return all
the accounts and unpaid payments for the organization to which the current user belongs.
It translates to an SQL query with three inner joins, an outer join and a subselect against
the ACCOUNT, PAYMENT, PAYMENT_STATUS,
ACCOUNT_TYPE, ORGANIZATION and
ORG_USER tables.
For some databases, we would need to do away with the (correlated) subselect.
Bulk update and delete
HQL now supports update, delete and
insert ... select ... statements.
See for details.
Tips & Tricks
You can count the number of query results without actually returning them:
To order a result by the size of a collection, use the following query:
If your database supports subselects, you can place a condition upon selection
size in the where clause of your query:
= 1]]>
If your database doesn't support subselects, use the following query:
= 1]]>
As this solution can't return a User with zero messages
because of the inner join, the following form is also useful:
Properties of a JavaBean can be bound to named query parameters:
Collections are pageable by using the Query interface with a filter:
Collection elements may be ordered or grouped using a query filter:
You can find the size of a collection without initializing it:
Components
Components might be used in just about every way that simple value types can be used in HQL
queries. They can appear in the select clause:
where the Person's name property is a component. Components can also be used
in the where clause:
Components can also be used in the order by clause:
Another common use of components is in row value constructors.
Row value constructor syntax
HQL supports the use of ANSI SQL row value constructor syntax (sometimes
called tuple syntax), even though the underlying database may not support
that notion. Here we are generally referring to multi-valued comparisons, typically associated
with components. Consider an entity Person which defines a name component:
That's valid syntax, although a little verbose. It be nice to make this a bit more concise and use
row value constructor syntax:
It can also be useful to specify this in the select clause:
Another time using row value constructor syntax can be beneficial
is when using subqueries needing to compare against multiple values:
One thing to consider when deciding if you want to use this syntax is that the query will
be dependent upon the ordering of the component sub-properties in the metadata.