整合Mybatis
总结步骤: 定义实体类 -> 定义对应的mapper -> 定义mapper对应的xml文件 -> 资源文件中配置mybatis相关的bean (dataSource、sqlSessionFactory、sqlSession) -> 编写实现类,注入到bean -> 测试
方式一:
ApplicationContext.xml 是核心的配置文件
- 配置mybatis
<bean id="datasource" class="org.springframework.jdbc.datasource.DriverManagerDataSource">
<property name="driverClassName" value="com.mysql.jdbc.Driver"/>
<property name="url" value="jdbc:mysql://localhost:3306/mybatis?useSSL=false"/>
<property name="username" value="root"/>
<property name="password" value="123456"/>
</bean>
<bean id="sqlSessionFactory" class="org.mybatis.spring.SqlSessionFactoryBean">
<property name="dataSource" ref="datasource"/>
<property name="configLocation" value="classpath:mybatis-config.xml"/>
<property name="mapperLocations" value="classpath:com/zxt/mapper/*.xml"/>
</bean>
<bean id="sqlSession" class="org.mybatis.spring.SqlSessionTemplate">
<constructor-arg index="0" ref="sqlSessionFactory"/>
</bean>
第1个 bean 构建数据源,用到的类为org.springframework.jdbc.datasource.DriverManagerDataSource 第2个 bean 构建 sqlSessionFactory,用到的类为org.mybatis.spring.SqlSessionFactoryBean 第3个 bean 构建 sqlSession,用到的类为org.mybatis.spring.SqlSessionTemplate
- 给接口加实现类,注册到spring
- 测试
方式二:
- 定义实现类,继承
SqlSessionDaoSupport ,实现所对应的mapper - 通过调用
getSqlSession() 方法,获得 sqlSession 对象。
return getSqlSession().getMapper(UserMapper.class).getUsers();
- 配置bean传入sqlSessionFactory
<bean id="userMapperImpl2" class="com.zxt.mapper.UserMapperImpl2">
<property name="sqlSessionFactory" ref="sqlSessionFactory"/>
</bean>
声明式事务
通过aop完成事务,不影响程序本身
- 配置数据源
<bean id="transactionManager" class="org.springframework.jdbc.datasource.DataSourceTransactionManager">
<property name="dataSource" ref="datasource"/>
</bean>
- 添加约束文件
xmlns:tx="http://www.springframework.org/schema/tx"
http://www.springframework.org/schema/tx
https://www.springframework.org/schema/tx/spring-aop.xsd
- 配置事务通知
<tx:advice id="txAdvice" transaction-manager="transactionManager">
<tx:attributes>
<tx:method name="add"/>
<tx:method name="delete"/>
</tx:attributes>
</tx:advice>
- 配置事务切入
<aop:config>
<aop:pointcut id="txPointCut" expression="execution(* com.zxt.mapper.*.*(..))"/>
<aop:advisor advice-ref="txAdvice" pointcut-ref="txPointCut"/>
</aop:config>
|