web-dev-qa-db-ja.com

基準オブジェクトごとのHibernateグループ

Hibernate Criteriaで次のSQLクエリを実装したいと思います。

SELECT column_name, aggregate_function(column_name)
FROM table_name
WHERE column_name <operator> value
GROUP BY column_name

私はこれをHibernate Criteriaで実装しようとしましたが、うまくいきませんでした。

Hibernate Criteriaを使用してこれをどのように行うことができるか、例を教えてもらえますか?ありがとう!

37
Bomberlatinos9

例については this を参照してください。主なポイントはgroupProperty()、および Projections クラスによって提供される関連する集約関数を使用することです。

例えば ​​:

SELECT column_name, max(column_name) , min (column_name) , count(column_name)
FROM table_name
WHERE column_name > xxxxx
GROUP BY column_name

同等の基準オブジェクトは次のとおりです。

List result = session.createCriteria(SomeTable.class)       
                    .add(Restrictions.ge("someColumn", xxxxx))      
                    .setProjection(Projections.projectionList()
                            .add(Projections.groupProperty("someColumn"))
                            .add(Projections.max("someColumn"))
                            .add(Projections.min("someColumn"))
                            .add(Projections.count("someColumn"))           
                    ).list();
84
Ken Chan

Hibernateで使用するGroupBy

これは結果のコードです

public Map getStateCounts(final Collection ids) {
    HibernateSession hibernateSession = new HibernateSession();
    Session session = hibernateSession.getSession();
    Criteria criteria = session.createCriteria(DownloadRequestEntity.class)
            .add(Restrictions.in("id", ids));
    ProjectionList projectionList = Projections.projectionList();
    projectionList.add(Projections.groupProperty("state"));
    projectionList.add(Projections.rowCount());
    criteria.setProjection(projectionList);
    List results = criteria.list();
    Map stateMap = new HashMap();
    for (Object[] obj : results) {
        DownloadState downloadState = (DownloadState) obj[0];
        stateMap.put(downloadState.getDescription().toLowerCase() (Integer) obj[1]);
    }
    hibernateSession.closeSession();
    return stateMap;
}
17
Ramkailash

@Ken Chanが言及したアプローチを使用し、オブジェクトの特定のリストが必要な場合は、その後に1行のコードを追加できます。例:

    session.createCriteria(SomeTable.class)       
                    .add(Restrictions.ge("someColumn", xxxxx))      
                    .setProjection(Projections.projectionList()
                            .add(Projections.groupProperty("someColumn"))
                            .add(Projections.max("someColumn"))
                            .add(Projections.min("someColumn"))
                            .add(Projections.count("someColumn"))           
                    ).setResultTransformer(Transformers.aliasToBean(SomeClazz.class));

List<SomeClazz> objectList = (List<SomeClazz>) criteria.list();
10
darkconeja