笔记58 Spring+Hibernate整合(一)

时间:2022-09-14 09:48:05

Spring+Hibernate整合

一、整合思路

  使DAO继承HibernateTemplate这个类 HibernateTemplate这个类提供了setSessionFactory()方法用于注入SessionFactory 通过spring获取DAO的时候,注入SessionFactory.

二、编写基本POJO

Category.java

 package com.pojo;

 public class Category {
private int id;
private String name; public int getId() {
return id;
} public void setId(int id) {
this.id = id;
} public String getName() {
return name;
} public void setName(String name) {
this.name = name;
} public String toString() {
return "Category [id=" + id + ", name=" + name + "]";
}
}

三、Hibernate映射

在POJO的包下,创建hibernate映射文件Category.hbm.xml

 <?xml version="1.0"?>

 <!DOCTYPE hibernate-mapping PUBLIC
"-//Hibernate/Hibernate Mapping DTD 3.0//EN"
"http://www.hibernate.org/dtd/hibernate-mapping-3.0.dtd">
<hibernate-mapping package="com.pojo">
<class name="Category" table="category">
<!-- <cache usage="read-only"/> -->
<id name="id" column="id">
<generator class="native">
</generator>
</id>
<property name="name" />
</class> </hibernate-mapping>

四、DAO层

DAO继承HibernateTemplete,而HibernateTemplete类里有一个setSessionFactory用于接收sessionFactory的注入。

 package com.DAO;

 import org.springframework.orm.hibernate3.HibernateTemplate;

 public class CategoryDAO extends HibernateTemplate {

 }

五、Service层

主要是对数据库的抽插。。。。。。

CategoryService.java

 package com.Service;

 import java.util.List;

 import com.pojo.Category;

 public interface CategoryService {
// 1.增加
public void saveCategory(Category category); // 2.根据id查询单个条目
public Category getSingleCategory(int id); // 3.查询所有条目
public List<Category> getAllCategories(); // 4.修改
public void updateCategory(Category category); // 5.删除
public void deleteCategory(Category category); // 6.分页查询
public List<Category> getCategoryByPaging(int start, int count); // 7.获取条目总数
public Long getSum(); // 8.模糊查询
public List<Category> getCategories(String field, String param); }

CategoryServiceImpl.java

 package com.Service;

 import java.util.List;

 import org.hibernate.criterion.DetachedCriteria;
import org.hibernate.criterion.Restrictions; import com.DAO.CategoryDAO;
import com.pojo.Category; public class CategoryServiceImpl implements CategoryService { private CategoryDAO categoryDao; public CategoryServiceImpl(CategoryDAO categoryDao) {
// TODO Auto-generated constructor stub
this.categoryDao = categoryDao;
} @Override
public void saveCategory(Category category) {
// TODO Auto-generated method stub
categoryDao.save(category);
} @Override
public Category getSingleCategory(int id) {
// TODO Auto-generated method stub
Category category = categoryDao.get(Category.class, id);
return category;
} @Override
public List<Category> getAllCategories() {
// TODO Auto-generated method stub
String queryString = "from Category c";
@SuppressWarnings("unchecked")
List<Category> categories = categoryDao.find(queryString);
return categories;
} @Override
public void updateCategory(Category category) {
// TODO Auto-generated method stub
categoryDao.update(category);
} @Override
public void deleteCategory(Category category) {
// TODO Auto-generated method stub
categoryDao.delete(category);
} @Override
public List<Category> getCategoryByPaging(int start, int count) {
// TODO Auto-generated method stub
DetachedCriteria detachedCriteria = DetachedCriteria.forClass(Category.class);
@SuppressWarnings("unchecked")
List<Category> categories = categoryDao.findByCriteria(detachedCriteria, start, count);
return categories;
} @Override
public Long getSum() {
// TODO Auto-generated method stub
String queryString = "select count(*) from Category";
@SuppressWarnings("unchecked")
List<Long> longs = categoryDao.find(queryString);
return longs.get(0);
} @Override
public List<Category> getCategories(String field, String param) {
// TODO Auto-generated method stub
DetachedCriteria detachedCriteria = DetachedCriteria.forClass(Category.class);
detachedCriteria.add(Restrictions.like(field, param));
@SuppressWarnings("unchecked")
List<Category> categories = categoryDao.findByCriteria(detachedCriteria);
return categories;
} }

五、配置Spring

创建DAO的时候,会注入sessionfactory
创建sessionFactory的时候会注入数据源dataSource

创建CategoryService的时候会注入DAO

applicationContext.xml

 <?xml version="1.0" encoding="UTF-8"?>
<beans xmlns="http://www.springframework.org/schema/beans"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:aop="http://www.springframework.org/schema/aop"
xmlns:tx="http://www.springframework.org/schema/tx" xmlns:context="http://www.springframework.org/schema/context"
xsi:schemaLocation="
http://www.springframework.org/schema/beans
http://www.springframework.org/schema/beans/spring-beans-3.0.xsd
http://www.springframework.org/schema/aop
http://www.springframework.org/schema/aop/spring-aop-3.0.xsd
http://www.springframework.org/schema/tx
http://www.springframework.org/schema/tx/spring-tx-3.0.xsd
http://www.springframework.org/schema/context
http://www.springframework.org/schema/context/spring-context-3.0.xsd"> <!-- 基础bean -->
<bean name="Category" class="com.pojo.Category">
</bean> <bean name="DAO" class="com.DAO.CategoryDAO">
<property name="sessionFactory" ref="sessionFactory"></property>
</bean> <bean name="CategoryService" class="com.Service.CategoryServiceImpl">
<constructor-arg ref="DAO"></constructor-arg>
</bean> <!-- 加载hibernate的sessionFactory -->
<bean name="sessionFactory"
class="org.springframework.orm.hibernate3.LocalSessionFactoryBean">
<property name="dataSource" ref="dataSource">
</property> <property name="mappingResources">
<list>
<value>com/pojo/Category.hbm.xml</value>
</list>
</property> <property name="hibernateProperties">
<value>
hibernate.dialect=org.hibernate.dialect.MySQLDialect
hibernate.show_sql=true
hbm2ddl.auto=update
</value>
</property>
</bean>
<!-- 配置数据源 -->
<bean name="dataSource"
class="org.springframework.jdbc.datasource.DriverManagerDataSource">
<property name="driverClassName" value="com.mysql.jdbc.Driver"></property>
<property name="url"
value="jdbc:mysql://localhost:3306/sh?characterEncoding=UTF-8"></property>
<property name="username" value="root"></property>
<property name="password" value="123456"></property>
</bean>
</beans>

六、测试CRUD

Test.java

 package com.test;

 import java.util.List;

 import javax.sql.DataSource;

 import org.springframework.context.ApplicationContext;
import org.springframework.context.support.ClassPathXmlApplicationContext; import com.Service.CategoryService;
import com.pojo.Category; public class Test {
private ApplicationContext context;
private CategoryService categoryService; {
context = new ClassPathXmlApplicationContext("applicationContext.xml");
categoryService = context.getBean(CategoryService.class);
} @org.junit.Test
public void test() {
// 测试数据源
DataSource dataSource = (DataSource) context.getBean(DataSource.class);
System.out.println(dataSource);
} @org.junit.Test
public void test1() {
// 查询所有条目
List<Category> categories = categoryService.getAllCategories();
for (Category category : categories) {
System.out.println(category);
}
} @org.junit.Test
public void test2() {
// 根据Id查询
System.out.println(categoryService.getSingleCategory(1));
} @org.junit.Test
public void test3() {
// 增加一条记录
Category category = new Category();
category.setName("新增的Category");
categoryService.saveCategory(category);
} @org.junit.Test
public void test4() {
// 删除一条记录
Category category = categoryService.getSingleCategory(3);
categoryService.deleteCategory(category);
} @org.junit.Test
public void test5() {
// 分页查询
List<Category> categories = categoryService.getCategoryByPaging(2, 3);
for (Category category : categories) {
System.out.println(category);
}
} @org.junit.Test
public void test6() {
// 模糊查询
List<Category> categories = categoryService.getCategories("name", "%1%");
for (Category category : categories) {
System.out.println(category);
}
} }

补充知识

一、HibernateTemplate

  HibernateTemplate是spring对hibernate使用的一个简单封装,本例中获取的方式通过DAO直接继承HibernateTemplate,也可以通过HibernateTemplate hibernateTemplate=HibernateTemplate()获取,总之获取方法很多。

二、HibernateTemplate常用的方法

1、find(String queryString);

示例:hibernateTemplate.find("from bean.User");

返回所有User对象

2、find(String queryString , Object value);

示例:hibernateTemplate.find("from bean.User u where u.name=?", "test");

或模糊查询:hibernateTemplate.find("from bean.User u where u.name like ?", "%test%");

返回name属性值为test的对象(模糊查询,返回name属性值包含test的对象)

3、find(String queryString, Object[] values);

示例:String hql= "from bean.User u where u.name=? and u.password=?";

     hibernateTemplate.find(hql, new String[]{"test", "123"});

返回用户名为test并且密码为123的所有User对象

4、findByExample(Object exampleEntity)

示例:User u=new  User();

     u.setPassword("123" );

     u.setName("bb" );      //必须符合的条件但是这两个条件时并列的(象当于sql中的and)

list=hibernateTemplate.findByExample(u);

返回:用户名为bb密码为123的对象

5、findByExample(Object exampleEntity, int firstResult, int  maxResults)

示例:User u=new  User();

     u.setPassword("123" );

u.setName("bb" );      //必须 符合的条件但是这两个条件时并列的(象当于sql中的and)

    list=hibernateTemplate.findByExample(u,start,max);

返回:满足用户名为bb密码为123,自start起共max个User对象。(对象从0开始计数)

6、findByNamedParam(String queryString , String paramName , Object value)

示例:String queryString = "select count(*) from bean.User u where u.name=:myName" ;

   String paramName= "myName";

   String value= "abc";

   list=hibernateTemplate.findByNamedParam(queryString, paramName, value);

   System.out.println(list.get(0 ));

返回:name为abc的User对象的条数

7、 findByNamedParam(String queryString , String[] paramName , Object[] value)

示例:String queryString = "select count(*) from bean.User u where u.name=:myName and u.password=:myPassword";

   String[] paramName= new String[]{"myName", "myPassword"};

   String[] value= new String[]{"abc", "123"};

   hibernateTemplate.findByNamedParam(queryString, paramName, value);

返回:用户名为abc密码为123的User对象

三、hibernatetemplate使用总结

1、固定条件查询

可以使用常规的方法,如 Java代码

hibernateTemplate.find(),hibernateTemplate.createQuery()等

hibernateTemplate.find(),hibernateTemplate.createQuery()等

2、动态多条件查询

由于查询条件的不确定性,使用参数拼接。

*hibernate模板

 public void save(User u) {
Session s=null;
try {
s=sessionFactory.getCurrentSession();
s.beginTransaction();
s.save(u);
s.getTransaction().commit();
} catch (Exception e) {
e.printStackTrace();
s.getTransaction().rollback();
}finally{
if(s!=null){
s.close();
s=null;
}
}
System.out.println("add success!!");
}

笔记58 Spring+Hibernate整合(一)的更多相关文章

  1. 笔记59 Spring&plus;Hibernate整合(二)

    一.项目结构 二.创建表 数据库中只有一张表,stock,三个字段:stock_id.stock_code和stock_name. CREATE TABLE `stock` ( `STOCK_ID` ...

  2. spring&plus;hibernate整合:报错org&period;hibernate&period;HibernateException&colon; No Session found for current thread

    spring+hibernate整合:报错信息如下 org.hibernate.HibernateException: No Session found for current thread at o ...

  3. Struts2&plus;Spring&plus;Hibernate整合开发(Maven多模块搭建)

    Struts2+Spring+Hibernate整合开发(Maven多模块搭建) 0.项目结构 Struts2:web层 Spring:对象的容器 Hibernate:数据库持久化操作 1.父模块导入 ...

  4. SpringMVC&plus;Spring&plus;Hibernate整合开发

    最近突然想认真研究下java web常用框架,虽然现在一直在用,但实现的整体流程不是很了解,就在网上搜索资料,尝试自己搭建,以下是自己的搭建及测试过程. 一.准备工作: 1/安装并配置java运行环境 ...

  5. MyEclipse下Spring&plus;Hibernate整合

    目前,SSH(Struts+Spring+Hibernate)是Web开发的一种常用框架组合,Struts实现了MVC,Hibernate实现了关系对象映射,Spring实现了基于Bean的配置管理. ...

  6. Spring&plus;Hibernate整合配置 --- 比较完整的spring、hibernate 配置

    Spring+Hibernate整合配置 分类: J2EE2010-11-25 17:21 16667人阅读 评论(1) 收藏 举报 springhibernateclassactionservlet ...

  7. Struts&plus;Spring&plus;Hibernate整合

    这段笔记三两年前写的,一直因为一些琐事,或者搞忘记了,没有发.今天偶然翻出了它,就和大家一起分享下吧. 1.导入jar包 Struts的jar包: Spring的jar包: Hibernate的jar ...

  8. Struts&plus;Spring&plus;Hibernate整合入门详解

    Java 5.0 Struts 2.0.9 Spring 2.0.6 Hibernate 3.2.4 作者:  Liu Liu 转载请注明出处 基本概念和典型实用例子. 一.基本概念       St ...

  9. Spring、Struts2&plus;Spring&plus;Hibernate整合步骤

    所使用的Jar包: Hibernate: Spring(使用MyEclipse自动导入框架功能) Struts2: 注解包和MySql驱动包: 1.配置Hibernate和Spring: <be ...

随机推荐

  1. c&num; 进程间的通信实现之一简单字符串收发

       使用Windows API实现两个进程间(含窗体)的通信在Windows下的两个进程之间通信通常有多种实现方式,在.NET中,有如命名管道.消息队列.共享内存等实现方式,这篇文章要讲的是使用Wi ...

  2. UIPikerView的属性

    1.    numberOfComponents:返回UIPickerView当前的列数 NSInteger num = _pickerView.numberOfComponents; NSLog( ...

  3. JAVA多线程之CountDownLatch

    前序: 上周测试给开发的同事所开发的模块提出了一个bug,并且还是偶现. 经过仔细查看代码,发现是在业务中启用了多线程,2个线程同时跑,但是新启动的2个线程必须保证一个完成之后另一个再继续运行,才能消 ...

  4. Objective-C RunTime 学习笔记 之 atomic&sol;nonatomic 关键字

    atomic修饰的是变量/方法,对于可变对象的指针变量是安全的,内部实现加了锁,但是对可变对象本身没什么影响,不安全还是不安全.另外atomic仅仅对编译器生产的getter.setter有效,如果自 ...

  5. Javaweb学习笔记——(十二)——————JSP指令:page指令、include指令、taglib指令,JavaBean,内省,EL表达式

    JSP指令JSP指令分类 JSP有三大指令: *page指令 *include指令 *taglib指令 在JSP中没有任何指令是必须的. 但基本上每个JSP都是使用page指令============ ...

  6. nginx error&period;log 提示 &lbrack;error&rsqb; 887&num;887&colon; &ast;58 FastCGI sent in stderr&colon; &quot&semi;PHP message&colon; PHP Warning&colon; mysql&lowbar;connect&lpar;&rpar;&colon; Headers and client library minor version mismatch&period; Headers&colon;50556 Library&colon;50637

    0. 1.问题 1.1现象: nginx error.log 提示 [error] 887#887: *58 FastCGI sent in stderr: "PHP message: PH ...

  7. &lbrack;原&rsqb;Jenkins&lpar;二十一&rpar; jenkins再出发Build periodically和Poll SCM

    缘由: 使用jenkins的目的需要固定时间构建和间隔固定时间构建,所以才会用到这两个功能. 位置:这两个功能的位置位于每个job的config项中,如下图: [重要的注意点:]           ...

  8. python SyntaxError&colon; Non-ASCII character &&num;39&semi;&bsol;xe6&&num;39&semi; in file

    [1]python程序执行报错 报错:SyntaxError: Non-ASCII character '\xe6' in file /tmp/788580473/main.py on line 7, ...

  9. React componentDidMount

    <!DOCTYPE html><html><head lang="en"> <meta charset="UTF-8" ...

  10. drill 表&amp&semi;&amp&semi;视图使用

    1.  table    create table table_name as select * from storage_name.dbname.tablename   2. view   crea ...