使用HibernateTemplate查询Clob内的内容

在项目中要对数据表的Clob字段进行检索,用于Clob是采用字节方式存储的,因此普通的查询语句不能检索Clob字段内的内容,使用SELECT * FROM 表名 WHERE dbms_lob.instr(表名.Clob字段名,'内容',1,1) > 0;
或 SELECT * FROM 表名 别名 WHERE dbms_lob.instr(别名.Clob字段名, '内容', 1, 1) > 0;语句可以检索Clob内的内容,使用Spring的HibernateTemplate执行上述语句的例子如下:
所采用的数据表:

drop table csms_ps_genericContent;
create table csms_ps_genericContent (
    id char(32) not null,                                            --ID
    categoryId varchar2(60) not null,                    --类别ID
    featureId varchar2(60) null,                            --专题ID
    title varchar2(150) not null,                            --标题
    titlePicPath varchar2(500) null,                    --标题图片路径
    publishTime date not null,                                --发布时间
    content clob not null,                                        --内容
    keyword varchar2(255) null,                                --关键字
    isChar char(1) default '1',                                --是否是文字内容
       
    primary key (id)
);
 


使用HIbernateTemplate的实现方法是:

@SuppressWarnings("unchecked")
    public List<GenericContentModel> fullTextSearch(final String queryContent) throws Exception {
        final String queryString = "select * from CSMS_PS_GENERICCONTENT gc " +
                "where dbms_lob.instr(gc.content, :queryContent, 1, 1) > 0 or gc.title like :title";
        return (List<GenericContentModel>)super.execute(new HibernateCallback() {
            public Object doInHibernate(Session session) {
                SQLQuery query = session.createSQLQuery(queryString);
                query.addEntity("gc", GenericContentModel.class);
                query.setString("queryContent", queryContent);
                query.setString("title", new StringBuffer("%").append(queryContent).append("%").toString());
               
                return query.list();
            }
        });
    }
 

在此使用到了Hibernate回调函数,用来处理好ibernate的本地化查询queryContent是查询条件,由于使用了SQLQuery,query.setEntity()方法指定查询结果对应的实体类。

你可能感兴趣的:(spring,Hibernate)