SSM(Spring+Spring MVC+MyBatis)
2022-11-16 17:46:17 22 举报
AI智能生成
SSM信息脑图
作者其他创作
大纲/内容
MyBatis
Mybatis入门操作
MyBatis的简介
原始jdbc操作的分析
原始jdbc开发存在的问题如下:
数据库连接创建、释放频繁造成系统资源浪费从而影响系统性能
sql 语句在代码中硬编码,造成代码不易维护,实际应用 sql 变化的可能较大,sql 变动需要改变java代码。
查询操作时,需要手动将结果集中的数据手动封装到实体中。插入操作时,需要手动将实体的数据设置到sql语句的占位
符位置
符位置
应对上述问题给出的解决方案:
使用数据库连接池初始化连接资源
将sql语句抽取到xml配置文件中
使用反射、内省等底层技术,自动将实体与表进行属性与字段的自动映射
什么是Mybatis
mybatis 是一个优秀的基于java的持久层框架,它内部封装了 jdbc,使开发者只需要关注sql语句本身,而不需要花费精力 去处理加载驱动、创建连接、创建statement等繁杂的过程。
mybatis通过xml或注解的方式将要执行的各种 statement配 置起来,并通过java对象和statement中sql的动态参数进行 映射生成最终执行的sql语句。
后mybatis框架执行sql并将结果映射为java对象并返回。采 用ORM思想解决了实体和数据库映射的问题,对jdbc 进行了 封装,屏蔽了jdbc api 底层访问细节,使我们不用与jdbc api 打交道,就可以完成对数据库的持久化操作。
MyBatis的快速入门
MyBatis官网地址:
http://www.mybatis.org/mybatis-3/
MyBatis开发步骤:
添加MyBatis的坐标
创建user数据表
编写User实体类
编写映射文件UserMapper.xml
<?xml version="1.0" encoding="UTF-8" ?> <!DOCTYPE mapper
PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN"
"http://mybatis.org/dtd/mybatis-3-mapper.dtd"> <mapper namespace="userMapper">
<select id="findAll" resultType="com.itheima.domain.User"> select * from User
</select> </mapper>
PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN"
"http://mybatis.org/dtd/mybatis-3-mapper.dtd"> <mapper namespace="userMapper">
<select id="findAll" resultType="com.itheima.domain.User"> select * from User
</select> </mapper>
编写核心文件SqlMapConfig.xml
<!DOCTYPE configuration PUBLIC "-//mybatis.org//DTD Config 3.0//EN“ "http://mybatis.org/dtd/mybatis-3-config.dtd"> <configuration>
<environments default="development"> <environment id="development">
<transactionManager type="JDBC"/> <dataSource type="POOLED">
<property name="driver" value="com.mysql.jdbc.Driver"/><property name="url" value="jdbc:mysql:///test"/>
<property name="username" value="root"/><property name="password" value="root"/> </dataSource>
</environment>
</environments>
<mappers> <mapper resource="com/itheima/mapper/UserMapper.xml"/> </mappers>
</configuration>
<environments default="development"> <environment id="development">
<transactionManager type="JDBC"/> <dataSource type="POOLED">
<property name="driver" value="com.mysql.jdbc.Driver"/><property name="url" value="jdbc:mysql:///test"/>
<property name="username" value="root"/><property name="password" value="root"/> </dataSource>
</environment>
</environments>
<mappers> <mapper resource="com/itheima/mapper/UserMapper.xml"/> </mappers>
</configuration>
编写测试类
//加载核心配置文件
InputStream resourceAsStream = Resources.getResourceAsStream("SqlMapConfig.xml"); //获得sqlSession工厂对象
SqlSessionFactory sqlSessionFactory =newSqlSessionFactoryBuilder().build(resourceAsStream); //获得sqlSession对象
SqlSession sqlSession = sqlSessionFactory.openSession();
//执行sql语句
List<User> userList = sqlSession.selectList("userMapper.findAll");
//打印结果
System.out.println(userList);
//释放资源
sqlSession.close();
InputStream resourceAsStream = Resources.getResourceAsStream("SqlMapConfig.xml"); //获得sqlSession工厂对象
SqlSessionFactory sqlSessionFactory =newSqlSessionFactoryBuilder().build(resourceAsStream); //获得sqlSession对象
SqlSession sqlSession = sqlSessionFactory.openSession();
//执行sql语句
List<User> userList = sqlSession.selectList("userMapper.findAll");
//打印结果
System.out.println(userList);
//释放资源
sqlSession.close();
MyBatis的映射文件概述
映射文件DTD约束头
<!DOCTYPE mapper
PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN" "http://mybatis.org/dtd/mybatis-3-mapper.dtd">
PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN" "http://mybatis.org/dtd/mybatis-3-mapper.dtd">
命名空间,与下面语句的id一起组成查询的标识
namespace="userMapper"
语句的id标识,与上面的命名空间一起组成查询的标识
id="findAll"
查询结果对应的实体类型
resultType="com.itheima.domain.User
根标签
<mapper namespace="userMapper">
查询操作,可选的还有insert, update, delete
<select
要执行的sql语句
select * from User
MyBatis的增删改查操作
MyBatis的插入数据操作
编写UserMapper映射文件
<mapper namespace="userMapper">
<insert id="add" parameterType="com.itheima.domain.User">
insert into user values(#{id},#{username},#{password}) </insert>
</mapper>
<insert id="add" parameterType="com.itheima.domain.User">
insert into user values(#{id},#{username},#{password}) </insert>
</mapper>
编写插入实体User的代码
nputStream resourceAsStream = Resources.getResourceAsStream("SqlMapConfig.xml"); SqlSessionFactory sqlSessionFactory =newSqlSessionFactoryBuilder().build(resourceAsStream); SqlSession sqlSession = sqlSessionFactory.openSession();
int insert = sqlSession.insert("userMapper.add", user);
System.out.println(insert); //提交事务 sqlSession.commit(); sqlSession.close();
int insert = sqlSession.insert("userMapper.add", user);
System.out.println(insert); //提交事务 sqlSession.commit(); sqlSession.close();
插入操作注意问题
插入语句使用insert标签
在映射文件中使用parameterType属性指定要插入的数据类型
Sql语句中使用#{实体属性名}方式引用实体中的属性值
插入操作使用的API是sqlSession.insert(“命名空间.id”,实体对象);
插入操作涉及数据库数据变化,所以要使用sqlSession对象显示的提交事务,即sqlSession.commit()
MyBatis的修改数据操作
编写UserMapper映射文件
<mapper namespace="userMapper">
<update id="update" parameterType="com.itheima.domain.User">
update user set username=#{username},password=#{password} where id=#{id} </update>
</mapper>
<update id="update" parameterType="com.itheima.domain.User">
update user set username=#{username},password=#{password} where id=#{id} </update>
</mapper>
修改操作注意问题
修改语句使用update标签
修改操作使用的API是sqlSession.update(“命名空间.id”,实体对象);
MyBatis的删除数据操作
编写UserMapper映射文件
<mapper namespace="userMapper">
<delete id="delete" parameterType="java.lang.Integer">
delete from user where id=#{id} </delete>
</mapper>
<delete id="delete" parameterType="java.lang.Integer">
delete from user where id=#{id} </delete>
</mapper>
删除操作注意问题
删除语句使用delete标签
Sql语句中使用#{任意字符串}方式引用传递的单个参数
删除操作使用的API是sqlSession.delete(“命名空间.id”,Object);
MyBatis的核心配置文件概述
MyBatis核心配置文件层级关系
configuration配置
properties属性
settings设置
typeAliases类型别名
typeHandlers类型处理器
objectFactory对象工厂
plugins插件
environments环境
environment环境变量
transactionManager事务管理器
dataSource数据源
databaseIdProvider数据库厂商标识
mappers映射器
MyBatis常用配置解析
environments标签
数据库环境的配置,支持多环境配置
<environment id="development">
<transactionManager type="JDBC"/> <dataSource type="POOLED">
<property name="driver" value="com.mysql.jdbc.Driver"/><property name="url" value="jdbc:mysql:///test"/>
<property name="username" value="root"/><property name="password" value="root"/> </dataSource>
</environment>
</environments>
<transactionManager type="JDBC"/> <dataSource type="POOLED">
<property name="driver" value="com.mysql.jdbc.Driver"/><property name="url" value="jdbc:mysql:///test"/>
<property name="username" value="root"/><property name="password" value="root"/> </dataSource>
</environment>
</environments>
指定默认的环境名称
default="development"
指定当前环境的名称
id="development"
指定事务管理类型是JDBC
type="JDBC"
JDBC:这个配置就是直接使用了JDBC 的提交和回滚设置,它依赖于从数据源得到的连接来管理事务作用域。
MANAGED:这个配置几乎没做什么。它从来不提交或回滚一个连接,而是让容器来管理事务的整个生命周期(比如 JEE
应用服务器的上下文)。 默认情况下它会关闭连接,然而一些容器并不希望这样,因此需要将 closeConnection 属性设置 为 false 来阻止它默认的关闭行为。
应用服务器的上下文)。 默认情况下它会关闭连接,然而一些容器并不希望这样,因此需要将 closeConnection 属性设置 为 false 来阻止它默认的关闭行为。
指定当前数据源类型是连接池
type="POOLED"
UNPOOLED:这个数据源的实现只是每次被请求时打开和关闭连接。
POOLED:这种数据源的实现利用“池”的概念将 JDBC 连接对象组织起来。
JNDI:这个数据源的实现是为了能在如 EJB 或应用服务器这类容器中使用,容器可以集中或在外部配置数据源,然后放置
一个 JNDI 上下文的引用。
一个 JNDI 上下文的引用。
数据源配置的基本参数
property节点里的配置
mapper标签
使用相对于类路径的资源引用
例如:<mapper resource="org/mybatis/builder/AuthorMapper.xml"/>
使用完全限定资源定位符(URL)
例如:<mapper url="file:///var/mappers/AuthorMapper.xml"/>
使用映射器接口实现类的完全限定类名
例如:<mapper class="org.mybatis.builder.AuthorMapper"/>
将包内的映射器接口实现全部注册为映射器
例如:<package name="org.mybatis.builder"/>
Properties标签
实际开发中,习惯将数据源的配置信息单独抽取成一个properties文件,该标签可以加载额外配置的properties文件
<!--加载外部properties-->
<properties resource="jdbc.properties"></properties>
<properties resource="jdbc.properties"></properties>
在核心配置文件里直接使用${jdbc.driver}来引用该值
typeAliases标签
类型别名是为Java 类型设置一个短的名字。原来的类型名称配置如下
<typeAliases>
<typeAlias type="com.itheima.domain.User“ alias="user"></typeAlias>
</typeAliases>
<typeAlias type="com.itheima.domain.User“ alias="user"></typeAlias>
</typeAliases>
<select id="findAll" resultType=“user">
select * from User </select>
select * from User </select>
mybatis框架已经为我们设置好的一些常用的类型的别名
别名:string
数据类型:String
别名:long
数据类型:Long
别名:int
数据类型:Integer
别名:double
数据类型:Double
别名:boolean
数据类型:Boolean
MyBatis的相应API
SqlSession工厂构建器SqlSessionFactoryBuilder
常用API:SqlSessionFactory build(InputStreaminputStream) 通过加载mybatis的核心文件的输入流的形式构建一个SqlSessionFactory对象
String resource = "org/mybatis/builder/mybatis-config.xml"; InputStream inputStream = Resources.getResourceAsStream(resource); SqlSessionFactoryBuilder builder = new SqlSessionFactoryBuilder(); SqlSessionFactory factory = builder.build(inputStream);
Resources 工具类,这个类在 org.apache.ibatis.io 包中。Resources 类帮助你从类路径下、文件系统或 一个 web URL 中加载资源文件。
SqlSession工厂对象SqlSessionFactory
SqlSessionFactory 有多个个方法创建 SqlSession 实例。常用的有如下两个:
openSession()
会默认开启一个事务,但事务不会自 动提交 ,也就 意味着 需要手 动提 交该事务,更新操作数据才会持久化 到数据 库中
openSession(boolean autoCommit)
参数为是否自动提交如果设置为true,那么不需要手动提交事务
SqlSession会话对象
SqlSession 实例在 MyBatis 中是非常强大的一个类。在这里你会看到所有执行语句、提交或回滚事务和获取映射器实例的方法。
执行语句的方法主要有:
<T> T selectOne(String statement, Object parameter)
<E> List<E> selectList(String statement, Object parameter)
int insert(String statement, Object parameter)
int update(String statement, Object parameter)
int delete(String statement, Object parameter)
操作事务的方法主要有:
void commit()
void rollback()
MyBatis的Dao层实现方式
传统开发方式
编写UserDao接口
public interface UserDao {
List<User> findAll() throws IOException;
}
List<User> findAll() throws IOException;
}
编写UserDaoImpl实现
public class UserDaoImpl implements UserDao { public List<User> findAll() throws IOException {
InputStream resourceAsStream = Resources.getResourceAsStream("SqlMapConfig.xml"); SqlSessionFactory sqlSessionFactory =newSqlSessionFactoryBuilder().build(resourceAsStream); SqlSession sqlSession = sqlSessionFactory.openSession();
List<User> userList = sqlSession.selectList("userMapper.findAll");
sqlSession.close();
return userList; }
}
InputStream resourceAsStream = Resources.getResourceAsStream("SqlMapConfig.xml"); SqlSessionFactory sqlSessionFactory =newSqlSessionFactoryBuilder().build(resourceAsStream); SqlSession sqlSession = sqlSessionFactory.openSession();
List<User> userList = sqlSession.selectList("userMapper.findAll");
sqlSession.close();
return userList; }
}
测试传统方式
@Test
public void testTraditionDao() throws IOException { UserDao userDao = new UserDaoImpl(); List<User> all = userDao.findAll(); System.out.println(all);
}
public void testTraditionDao() throws IOException { UserDao userDao = new UserDaoImpl(); List<User> all = userDao.findAll(); System.out.println(all);
}
代理开发方式
代理开发方式介绍
采用 Mybatis 的代理开发方式实现 DAO 层的开发,这种方式是我们后面进入企业的主流。
Mapper 接口开发方法只需要程序员编写Mapper 接口(相当于Dao 接口),由Mybatis 框架根据接口定义创建接 口的动态代理对象,代理对象的方法体同上边Dao接口实现类方法。
Mapper 接口开发需要遵循以下规范:
Mapper.xml文件中的namespace与mapper接口的全限定名相同
Mapper接口方法名和Mapper.xml中定义的每个statement的id相同
Mapper接口方法的输入参数类型和mapper.xml中定义的每个sql的parameterType的类型相同
Mapper接口方法的输出参数类型和mapper.xml中定义的每个sql的resultType的类型相同
编写UserMapper接口
public interface UserDao{ User findById(int id);
}
}
Mapper XML配置
<mapper namespace="com.itheima.mapper.UserMapper">
<select id="findById" parameterType="int" resultType="user"> select * from User where id=#{id}
</select> </mapper>
<select id="findById" parameterType="int" resultType="user"> select * from User where id=#{id}
</select> </mapper>
测试代理方式
@Test
public void testProxyDao() throws IOException {
InputStream resourceAsStream = Resources.getResourceAsStream("SqlMapConfig.xml"); SqlSessionFactory sqlSessionFactory = new SqlSessionFactoryBuilder().build(resourceAsStream); SqlSession sqlSession = sqlSessionFactory.openSession(); //获得MyBatis框架生成的UserMapper接口的实现类
UserMapper userMapper = sqlSession.getMapper(UserMapper.class);
User user = userMapper.findById(1);
System.out.println(user);
sqlSession.close();
}
public void testProxyDao() throws IOException {
InputStream resourceAsStream = Resources.getResourceAsStream("SqlMapConfig.xml"); SqlSessionFactory sqlSessionFactory = new SqlSessionFactoryBuilder().build(resourceAsStream); SqlSession sqlSession = sqlSessionFactory.openSession(); //获得MyBatis框架生成的UserMapper接口的实现类
UserMapper userMapper = sqlSession.getMapper(UserMapper.class);
User user = userMapper.findById(1);
System.out.println(user);
sqlSession.close();
}
MyBatis映射文件深入
动态sql语句
动态sql语句概述
Mybatis 的映射文件中,前面我们的 SQL 都是比较简单的,有些时候业务逻辑复杂时,我们的 SQL是动态变化的, 此时在前面的学习中我们的 SQL 就不能满足要求了。
常用的动态sql关键字
if
choose(when,otherwise)
trim(where,set)
foreach
动态SQL 之<if>
我们根据实体类的不同取值,使用不同的 SQL语句来进行查询。比如在 id如果不为空时可以根据id查询,如果 username 不同空时还要加入用户名作为条件。这种情况在我们的多条件组合查询中经常会碰到。
<select id="findByCondition" parameterType="user" resultType="user"> select * from User
<where>
<if test="id!=0"> and id=#{id}
</if>
<if test="username!=null">
and username=#{username} </if>
</where> </select>
<where>
<if test="id!=0"> and id=#{id}
</if>
<if test="username!=null">
and username=#{username} </if>
</where> </select>
动态SQL 之<foreach>
循环执行sql的拼接操作,例如:SELECT * FROM USER WHERE id IN (1,2,5)。
<select id="findByIds" parameterType="list" resultType="user"> select * from User
<where>
<foreach collection="array" open="id in(" close=")" item="id" separator=","> #{id}
</foreach> </where>
</select>
<where>
<foreach collection="array" open="id in(" close=")" item="id" separator=","> #{id}
</foreach> </where>
</select>
<foreach>标签用于遍历集合,foreach标签的属性含义如下
collection
代表要遍历的集合元素,注意编写时不要写#{}
open
代表语句的开始部分
close
代表结束部分
item
代表遍历集合的每个元素,生成的变量名
sperator
代表分隔符
SQL片段抽取
Sql 中可将重复的 sql 提取出来,使用时用 include 引用即可,最终达到 sql 重用的目的
<!--抽取sql片段简化编写-->
<select id="findById" parameterType="int" resultType="user"> <include refid="selectUser"></include> where id=#{id}
</select>
<select id="findByIds" parameterType="list" resultType="user">
<include refid="selectUser"></include> <where>
<foreach collection="array" open="id in(" close=")" item="id" separator=","> #{id}
</foreach> </where><sql id="selectUser" select * from User</sql>
</select>
<select id="findById" parameterType="int" resultType="user"> <include refid="selectUser"></include> where id=#{id}
</select>
<select id="findByIds" parameterType="list" resultType="user">
<include refid="selectUser"></include> <where>
<foreach collection="array" open="id in(" close=")" item="id" separator=","> #{id}
</foreach> </where><sql id="selectUser" select * from User</sql>
</select>
MyBatis核心配置文件深入
typeHandlers标签
无论是 MyBatis 在预处理语句(PreparedStatement)中设置一个参数时,还是从结果集中取出一个值时, 都会用 类型处理器将获取的值以合适的方式转换成 Java 类型。
类型处理器
BooleanTypeHeadler
Java类型:java.lang.Boolean, boolean
JDBC类型:数据库兼容的BOOLEAN
ByteTypeHandler
Java类型:java.lang.Byte, byte
JDBC类型:数据库兼容的NUMERIC或BYTE
ShortTypeHandler
Java类型:java.lang.Short, short
JDBC类型:数据库兼容的NUMERIC或SHORT INTEGER
IntegerTypeHandler
Java类型:java.lang.Integer, int
JDBC类型:数据库兼容的NUMERIC或INTEGER
LongTypeHandler
Java类型:java.lang.Long, long
JDBC类型:数据库兼容的NUMERIC或LONG INTEGER
你可以重写类型处理器或创建你自己的类型处理器来处理不支持的或非标准的类型
具体做法为:
实现 org.apache.ibatis.type.TypeHandler 接口, 或继承一个很便利的类 org.apache.ibatis.type.BaseTypeHandler, 然后可以选择性地将它映射到一个JDBC类型。
例如需求
一个Java中的Date数据类型,我想将之存到数据库的时候存成一 个1970年至今的毫秒数,取出来时转换成java的Date,即java的Date与数据库的varchar毫秒值之间转换。
开发步骤
定义转换类继承类BaseTypeHandler<T>
覆盖4个未实现的方法,其中setNonNullParameter为java程序设置数据到数据库的回调方法,getNullableResult
为查询时 mysql的字符串类型转换成 java的Type类型的方法
为查询时 mysql的字符串类型转换成 java的Type类型的方法
public class MyDateTypeHandler extends BaseTypeHandler<Date> {
public void setNonNullParameter(PreparedStatement preparedStatement, int i, Date date, JdbcType type)
{
} }
preparedStatement.setString(i,date.getTime()+""); }
public Date getNullableResult(ResultSet resultSet, String s) throws SQLException { return new Date(resultSet.getLong(s));
}
public Date getNullableResult(ResultSet resultSet, int i) throws SQLException {
return new Date(resultSet.getLong(i)); }
public Date getNullableResult(CallableStatement callableStatement, int i) throws SQLException { return callableStatement.getDate(i);}}
public void setNonNullParameter(PreparedStatement preparedStatement, int i, Date date, JdbcType type)
{
} }
preparedStatement.setString(i,date.getTime()+""); }
public Date getNullableResult(ResultSet resultSet, String s) throws SQLException { return new Date(resultSet.getLong(s));
}
public Date getNullableResult(ResultSet resultSet, int i) throws SQLException {
return new Date(resultSet.getLong(i)); }
public Date getNullableResult(CallableStatement callableStatement, int i) throws SQLException { return callableStatement.getDate(i);}}
在MyBatis核心配置文件中进行注册
<!--注册类型自定义转换器--> <typeHandlers>
<typeHandler handler="com.itheima.typeHandlers.MyDateTypeHandler"></typeHandler> </typeHandlers>
<typeHandler handler="com.itheima.typeHandlers.MyDateTypeHandler"></typeHandler> </typeHandlers>
plugins标签
MyBatis可以使用第三方的插件来对功能进行扩展,分页助手PageHelper是将分页的复杂操作进行封装,使用简单的方式即 可获得分页的相关数据
开发步骤
导入通用PageHelper的坐标
<!-- 分页助手 --> <dependency>
<groupId>com.github.pagehelper</groupId> <artifactId>pagehelper</artifactId> <version>3.7.5</version>
</dependency> <dependency>
<groupId>com.github.jsqlparser</groupId> <artifactId>jsqlparser</artifactId> <version>0.9.1</version>
</dependency>
<groupId>com.github.pagehelper</groupId> <artifactId>pagehelper</artifactId> <version>3.7.5</version>
</dependency> <dependency>
<groupId>com.github.jsqlparser</groupId> <artifactId>jsqlparser</artifactId> <version>0.9.1</version>
</dependency>
在mybatis核心配置文件中配置PageHelper插件
<!-- 注意:分页助手的插件 配置在通用馆mapper之前 -->
<plugin interceptor="com.github.pagehelper.PageHelper">
<!-- 指定方言 -->
<property name="dialect" value="mysql"/> </plugin>
<plugin interceptor="com.github.pagehelper.PageHelper">
<!-- 指定方言 -->
<property name="dialect" value="mysql"/> </plugin>
测试分页数据获取
@Test
public void testPageHelper(){ //设置分页参数
PageHelper.startPage(1,2);
List<User> select = userMapper2.select(null); for(User user : select){
System.out.println(user); }
}
public void testPageHelper(){ //设置分页参数
PageHelper.startPage(1,2);
List<User> select = userMapper2.select(null); for(User user : select){
System.out.println(user); }
}
获得分页相关的其他参数
//其他分页的数据
PageInfo<User> pageInfo = new PageInfo<User>(select); System.out.println("总条数:"+pageInfo.getTotal()); System.out.println("总页数:"+pageInfo.getPages()); System.out.println("当前页:"+pageInfo.getPageNum()); System.out.println("每页显示长度:"+pageInfo.getPageSize()); System.out.println("是 否 第 一 页 :"+pageInfo.isIsFirstPage()); System.out.println("是否最后一页:"+pageInfo.isIsLastPage());
PageInfo<User> pageInfo = new PageInfo<User>(select); System.out.println("总条数:"+pageInfo.getTotal()); System.out.println("总页数:"+pageInfo.getPages()); System.out.println("当前页:"+pageInfo.getPageNum()); System.out.println("每页显示长度:"+pageInfo.getPageSize()); System.out.println("是 否 第 一 页 :"+pageInfo.isIsFirstPage()); System.out.println("是否最后一页:"+pageInfo.isIsLastPage());
MyBatis的多表操作
一对一查询
一对一查询的语句
select * from orders o,user u where o.uid=u.id;
创建Order和User实体
public class Order {
private int id;
private Date ordertime; private double total;
//代表当前订单从属于哪一个客户
private User user; }
private int id;
private Date ordertime; private double total;
//代表当前订单从属于哪一个客户
private User user; }
public class User {
private int id;
private String username; private String password; private Date birthday;
}
private int id;
private String username; private String password; private Date birthday;
}
创建OrderMapper接口
public interface OrderMapper { List<Order> findAll();
}
}
配置OrderMapper.xml
<mapper namespace="com.itheima.mapper.OrderMapper"> <resultMap id="orderMap" type="com.itheima.domain.Order">
<result column="uid" property="user.id"></result>
<result column="username" property="user.username"></result> <result column="password" property="user.password"></result> <result column="birthday" property="user.birthday"></result>
</resultMap>
<select id="findAll" resultMap="orderMap">
select * from orders o,user u where o.uid=u.id </select>
</mapper>
<result column="uid" property="user.id"></result>
<result column="username" property="user.username"></result> <result column="password" property="user.password"></result> <result column="birthday" property="user.birthday"></result>
</resultMap>
<select id="findAll" resultMap="orderMap">
select * from orders o,user u where o.uid=u.id </select>
</mapper>
其中<resultMap>还可以配置如下:
<resultMap id="orderMap" type="com.itheima.domain.Order">
<result property="id" column="id"></result>
<result property="ordertime" column="ordertime"></result> <result property="total" column="total"></result>
<association property="user" javaType="com.itheima.domain.User">
<result column="uid" property="id"></result>
<result column="username" property="username"></result> <result column="password" property="password"></result> <result column="birthday" property="birthday"></result>
</association> </resultMap>
<result property="id" column="id"></result>
<result property="ordertime" column="ordertime"></result> <result property="total" column="total"></result>
<association property="user" javaType="com.itheima.domain.User">
<result column="uid" property="id"></result>
<result column="username" property="username"></result> <result column="password" property="password"></result> <result column="birthday" property="birthday"></result>
</association> </resultMap>
测试代码
OrderMapper mapper = sqlSession.getMapper(OrderMapper.class); List<Order> all = mapper.findAll();
for(Order order : all){
System.out.println(order); }
for(Order order : all){
System.out.println(order); }
一对多查询
一对多的查询语句
select *,o.id oid from user u left join orders o on u.id=o.uid;
创建Order和User实体
public class Order {
private int id;
private Date ordertime; private double total;
//代表当前订单从属于哪一个客户
private User user; }
private int id;
private Date ordertime; private double total;
//代表当前订单从属于哪一个客户
private User user; }
public class User {
private int id;
private String username; private String password; private Date birthday;
//代表当前用户具备哪些订单
private List<Order> orderList;
}
private int id;
private String username; private String password; private Date birthday;
//代表当前用户具备哪些订单
private List<Order> orderList;
}
创建UserMapper接口
public interface UserMapper { List<User> findAll();
}
}
配置UserMapper.xml
<mapper namespace="com.itheima.mapper.UserMapper"> <resultMap id="userMap" type="com.itheima.domain.User">
<result column="id" property="id"></result>
<result column="username" property="username"></result>
<result column="password" property="password"></result>
<result column="birthday" property="birthday"></result>
<collection property="orderList" ofType="com.itheima.domain.Order">
<result column="oid" property="id"></result>
<result column="ordertime" property="ordertime"></result> <result column="total" property="total"></result>
</collection> </resultMap>
<select id="findAll" resultMap="userMap">
select *,o.id oid from user u left join orders o on u.id=o.uid
</select> </mapper>
<result column="id" property="id"></result>
<result column="username" property="username"></result>
<result column="password" property="password"></result>
<result column="birthday" property="birthday"></result>
<collection property="orderList" ofType="com.itheima.domain.Order">
<result column="oid" property="id"></result>
<result column="ordertime" property="ordertime"></result> <result column="total" property="total"></result>
</collection> </resultMap>
<select id="findAll" resultMap="userMap">
select *,o.id oid from user u left join orders o on u.id=o.uid
</select> </mapper>
测试代码
UserMapper mapper = sqlSession.getMapper(UserMapper.class); List<User> all = mapper.findAll();
for(User user : all){
System.out.println(user.getUsername()); List<Order> orderList = user.getOrderList();
for(User user : all){
System.out.println(user.getUsername()); List<Order> orderList = user.getOrderList();
多对多查询
多对多查询语句
select u.*,r.*,r.id rid from user u left join user_role ur on u.id=ur.user_id inner join role r on ur.role_id=r.id;
创建Role和User实体
public class User { private int id;
private String username; private String password; private Date birthday; //代表当前用户具备哪些订单
private List<Order> orderList; //代表当前用户具备哪些角色
private List<Role> roleList; }
private String username; private String password; private Date birthday; //代表当前用户具备哪些订单
private List<Order> orderList; //代表当前用户具备哪些角色
private List<Role> roleList; }
public class Role { private int id;
private String rolename; }
private String rolename; }
添加UserMapper接口方法
List<User> findAllUserAndRole();
配置UserMapper.xml
<resultMap id="userRoleMap" type="com.itheima.domain.User">
<result column="id" property="id"></result>
<result column="username" property="username"></result>
<result column="password" property="password"></result>
<result column="birthday" property="birthday"></result> <collection property="roleList" ofType="com.itheima.domain.Role">
<result column="rid" property="id"></result>
<result column="rolename" property="rolename"></result> </collection>
</resultMap>
<select id="findAllUserAndRole" resultMap="userRoleMap">
select u.*,r.*,r.id rid from user u left join user_role ur on u.id=ur.user_id
inner join role r on ur.role_id=r.id </select>
<result column="id" property="id"></result>
<result column="username" property="username"></result>
<result column="password" property="password"></result>
<result column="birthday" property="birthday"></result> <collection property="roleList" ofType="com.itheima.domain.Role">
<result column="rid" property="id"></result>
<result column="rolename" property="rolename"></result> </collection>
</resultMap>
<select id="findAllUserAndRole" resultMap="userRoleMap">
select u.*,r.*,r.id rid from user u left join user_role ur on u.id=ur.user_id
inner join role r on ur.role_id=r.id </select>
MyBatis多表配置方式
一对一配置
使用<resultMap>做配置
一对多配置
使用<resultMap>+<collection>做配置
多对多配置
使用<resultMap>+<collection>做配置
MyBatis注解开发
MyBatis的常用注解
@Insert:实现新增
@Update:实现更新
@Delete:实现删除
@Select:实现查询
@Result:实现结果集封装
代替了<id>标签和<result>标签
@Result中属性介绍:
column:数据库的列名
property:需要装配的属性名
one:需要使用的@One 注解(@Result(one=@One)())) many:需要使用的@Many 注解(@Result(many=@many)()))
@Result中属性介绍:
column:数据库的列名
property:需要装配的属性名
one:需要使用的@One 注解(@Result(one=@One)())) many:需要使用的@Many 注解(@Result(many=@many)()))
@Results:可以与@Result 一起使用,封装多个结果集
代替的是标签<resultMap>该注解中可以使用单个@Result注解,也可以使用@Result集 合。使用格式:@Results({@Result(),@Result()})或@Results(@Result())
@One:实现一对一结果集封装
代替了<assocation> 标签,是多表查询的关键,在注解中用来指定子查询返回单一对象。 @One注解属性介绍:
select: 指定用来多表查询的 sqlmapper
使用格式:@Result(column=" ",property="",one=@One(select=""))
select: 指定用来多表查询的 sqlmapper
使用格式:@Result(column=" ",property="",one=@One(select=""))
@Many:实现一对多结果集封装
代替了<collection>标签, 是是多表查询的关键,在注解中用来指定子查询返回对象集合。 使用格式:@Result(property="",column="",many=@Many(select=""))
一对一查询
查询语句
select * from orders;
select * from user where id=查询出订单的uid;
select * from user where id=查询出订单的uid;
创建Order和User实体
public class Order {
private int id;
private Date ordertime; private double total;
//代表当前订单从属于哪一个客户
private User user; }
private int id;
private Date ordertime; private double total;
//代表当前订单从属于哪一个客户
private User user; }
public class User {
private int id;
private String username; private String password; private Date birthday;
}
private int id;
private String username; private String password; private Date birthday;
}
创建OrderMapper接口
public interface OrderMapper { List<Order> findAll();
}
}
使用注解配置Mapper
public interface OrderMapper { @Select("select * from orders") @Results({@Result(id=true,property = "id",column = "id"), @Result(property = "ordertime",column = "ordertime"), @Result(property = "total",column = "total"), @Result(property = "user",column = "uid",
javaType = User.class,one = @One(select = "com.itheima.mapper.UserMapper.findById"))})
List<Order> findAll(); }
public interface OrderMapper { @Select("select * from orders") @Results({@Result(id=true,property = "id",column = "id"), @Result(property = "ordertime",column = "ordertime"), @Result(property = "total",column = "total"), @Result(property = "user",column = "uid",
javaType = User.class,one = @One(select = "com.itheima.mapper.UserMapper.findById"))})
List<Order> findAll(); }
public interface UserMapper {}
@Select("select * from user where id=#{id}") User findById(int id);
})
@Select("select * from user where id=#{id}") User findById(int id);
})
进行测试
@Test
public void testSelectOrderAndUser() { List<Order> all = orderMapper.findAll(); for(Order order : all){
System.out.println(order); }
}
public void testSelectOrderAndUser() { List<Order> all = orderMapper.findAll(); for(Order order : all){
System.out.println(order); }
}
一对多查询
select * from user;
select * from orders where uid=查询出用户的id;
select * from orders where uid=查询出用户的id;
创建Order和User实体
public class Order {
private int id;
private Date ordertime; private double total;
//代表当前订单从属于哪一个客户
private User user; }
private int id;
private Date ordertime; private double total;
//代表当前订单从属于哪一个客户
private User user; }
public class User {
private int id;
private String username; private String password; private Date birthday;
//代表当前用户具备哪些订单
private List<Order> orderList;
}
private int id;
private String username; private String password; private Date birthday;
//代表当前用户具备哪些订单
private List<Order> orderList;
}
创建UserMapper接口
List<User> findAllUserAndOrder();
使用注解配置Mapper
public interface UserMapper { @Select("select * from user") @Results({@Result(id = true,property = "id",column = "id"), @Result(property = "username",column = "username"), @Result(property = "password",column = "password"), @Result(property = "birthday",column = "birthday"), @Result(property = "orderList",column = "id",
javaType = List.class,many = @Many(select = "com.itheima.mapper.OrderMapper.findByUid"))})
List<User> findAllUserAndOrder(); }
javaType = List.class,many = @Many(select = "com.itheima.mapper.OrderMapper.findByUid"))})
List<User> findAllUserAndOrder(); }
public interface OrderMapper { @Select("select * from orders
where uid=#{uid}")
List<Order> findByUid(int uid);
}
where uid=#{uid}")
List<Order> findByUid(int uid);
}
多对多查询
查询语句
select * from user;
select * from role r,user_role ur where r.id=ur.role_id and ur.user_id=用户的id
select * from role r,user_role ur where r.id=ur.role_id and ur.user_id=用户的id
创建Role和User实体
public class User { private int id;
private String username; private String password; private Date birthday; //代表当前用户具备哪些订单
private List<Order> orderList; //代表当前用户具备哪些角色
private List<Role> roleList; }
private String username; private String password; private Date birthday; //代表当前用户具备哪些订单
private List<Order> orderList; //代表当前用户具备哪些角色
private List<Role> roleList; }
public class Role { private int id;
private String rolename; }
private String rolename; }
添加UserMapper接口
List<User> findAllUserAndRole();
使用注解配置Mapper
public interface UserMapper { @Select("select * from user") @Results({
@Result(id = true,property = "id",column = "id"), @Result(property = "username",column = "username"), @Result(property = "password",column = "password"), @Result(property = "birthday",column = "birthday"), @Result(property = "roleList",column = "id",
javaType = List.class,many = @Many(select = "com.itheima.mapper.RoleMapper.findByUid"))
})
List<User> findAllUserAndRole();}
@Result(id = true,property = "id",column = "id"), @Result(property = "username",column = "username"), @Result(property = "password",column = "password"), @Result(property = "birthday",column = "birthday"), @Result(property = "roleList",column = "id",
javaType = List.class,many = @Many(select = "com.itheima.mapper.RoleMapper.findByUid"))
})
List<User> findAllUserAndRole();}
public interface RoleMapper { @Select("select * from role
r,user_role ur where r.id=ur.role_id and ur.user_id=#{uid}")
List<Role> findByUid(int uid); }
r,user_role ur where r.id=ur.role_id and ur.user_id=#{uid}")
List<Role> findByUid(int uid); }
Spring
Spring的IOC和DI
内核
IOC
AOP
Spring的AOP简介
AOP的概念
AOP 为 Aspect Oriented Programming 的缩写,意思为面向切面编程,是通过预编译方式和运行期动态代理 实现程序功能的统一维护的一种技术。
AOP 是 OOP 的延续,是软件开发中的一个热点,也是Spring框架中的一个重要内容,是函数式编程的一种衍 生范型。利用AOP可以对业务逻辑的各个部分进行隔离,从而使得业务逻辑各部分之间的耦合度降低,提高程序 的可重用性,同时提高了开发的效率。
AOP的作用及其优势
作用:在程序运行期间,在不修改源码的情况下对方法进行功能增强
优势:减少重复代码,提高开发效率,并且便于维护
底层实现
AOP 的底层是通过 Spring 提供的的动态代理技术实现的。在运行期间,Spring通过动态代理技术动态 的生成代理对象,代理对象方法执行时进行增强功能的介入,在去调用目标对象的方法,从而完成功能的增强。
常用的动态代理技术
JDK 代理 : 基于接口的动态代理技术
特征是有接口
目标类接口
public interface TargetInterface { public void method();
}
}
目标类
public class Target implements TargetInterface { @Override
public void method() { System.out.println("Target running....");
} }
public void method() { System.out.println("Target running....");
} }
动态代理代码
Target target = new Target(); //创建目标对象
//创建代理对象
TargetInterface proxy = (TargetInterface) Proxy.newProxyInstance(target.getClass() .getClassLoader(),target.getClass().getInterfaces(),new InvocationHandler() {
@Override
public Object invoke(Object proxy, Method method, Object[] args) throws Throwable {
);
} }
System.out.prin tln ("前 置 增 强 代 码 ...");
Object invoke = method.invoke(target, args); System.out.prin tln ("后 置 增 强 代 码 ...");
return invoke;}});
//创建代理对象
TargetInterface proxy = (TargetInterface) Proxy.newProxyInstance(target.getClass() .getClassLoader(),target.getClass().getInterfaces(),new InvocationHandler() {
@Override
public Object invoke(Object proxy, Method method, Object[] args) throws Throwable {
);
} }
System.out.prin tln ("前 置 增 强 代 码 ...");
Object invoke = method.invoke(target, args); System.out.prin tln ("后 置 增 强 代 码 ...");
return invoke;}});
调用代理对象的方法测试
proxy.method();
cglib代理:基于父类的动态代理技术
动态代理代码
Target target = new Target(); //创建目标对象
Enhancer enhancer = new Enhancer(); //创建增强器 enhancer.setSuperclass(Target.class); //设置父类 enhancer.setCallback(new MethodInterceptor() { //设置回调
@Override
public Object intercept(Object o, Method method, Object[] objects, MethodProxy methodProxy) throws Throwable {
System.out.printl n("前 置 代 码 增 强 ....");
Object invoke = method.invoke(target, objects); System.out.printl n("后 置 代 码 增 强 ....");
return invoke;
} });
Target proxy = (Target) enhancer.create(); //创建代理对象
Enhancer enhancer = new Enhancer(); //创建增强器 enhancer.setSuperclass(Target.class); //设置父类 enhancer.setCallback(new MethodInterceptor() { //设置回调
@Override
public Object intercept(Object o, Method method, Object[] objects, MethodProxy methodProxy) throws Throwable {
System.out.printl n("前 置 代 码 增 强 ....");
Object invoke = method.invoke(target, objects); System.out.printl n("后 置 代 码 增 强 ....");
return invoke;
} });
Target proxy = (Target) enhancer.create(); //创建代理对象
AOP相关概念
Target(目标对象)
代理的目标对象
Proxy (代理)
一个类被 AOP 织入增强后,就产生一个结果代理类
Joinpoint(连接点)
所谓连接点是指那些被拦截到的点。在spring中,这些点指的是方法,因为spring只支持方
法类型的连接点
法类型的连接点
Pointcut(切入点)
所谓切入点是指我们要对哪些 Joinpoint 进行拦截的定义
Advice(通知/ 增强)
所谓通知是指拦截到 Joinpoint 之后所要做的事情就是通知
Aspect(切面)
是切入点和通知(引介)的结合
Weaving(织入)
是指把增强应用到目标对象来创建新的代理对象的过程。spring采用动态代理织入,而
AspectJ采用编译期织入和类装载期织入
AspectJ采用编译期织入和类装载期织入
基于XML的AOP开发
开发步骤
导入AOP相关坐标
创建目标接口和目标类(内部有切点)
创建切面类(内部有增强方法)
将目标类和切面类的对象创建权交给 spring
<!--配置目标类-->
<bean id="target" class="com.itheima.aop.Target"></bean>
<!--配置切面类-->
<bean id="myAspect" class="com.itheima.aop.MyAspect"></bean>
<bean id="target" class="com.itheima.aop.Target"></bean>
<!--配置切面类-->
<bean id="myAspect" class="com.itheima.aop.MyAspect"></bean>
在 applicationContext.xml 中配置织入关系
导入aop命名空间
<beans xmlns="http://www.springframework.org/schema/beans" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:context="http://www.springframework.org/schema/context"
xsi:schemaLocation=" http://www.springframework.org/schema/context http://www.springframework.org/schema/context/spring-context.xsd
http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans.xsd">
xsi:schemaLocation=" http://www.springframework.org/schema/context http://www.springframework.org/schema/context/spring-context.xsd
http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans.xsd">
配置切点表达式和前置增强的织入关系
<aop:config> <!--引用myAspect的Bean为切面对象--> <aop:aspect ref="myAspect">
<!--配置Target的method方法执行时要进行myAspect的before方法前置增强-->
<aop:before method="before" pointcut="execution(public void com.itheima.aop.Target.method())"></aop:before>
</aop:aspect> </aop:config>
<!--配置Target的method方法执行时要进行myAspect的before方法前置增强-->
<aop:before method="before" pointcut="execution(public void com.itheima.aop.Target.method())"></aop:before>
</aop:aspect> </aop:config>
XML配置AOP详解
切点表达式的写法
表达式语法:execution([修饰符] 返回值类型 包名.类名.方法名(参数))
execution(public void com.itheima.aop.Target.method())
访问修饰符可以省略
execution(void com.itheima.aop.Target.*(..))
返回值类型、包名、类名、方法名可以使用星号* 代表任意
execution(* com.itheima.aop.*.*(..))
包名与类名之间一个点 . 代表当前包下的类,两个点 .. 表示当前包及其子包下的类
execution(* com.itheima.aop..*.*(..))
参数列表可以使用两个点 .. 表示任意个数,任意类型的参数列表
execution(* *..*.*(..))
通知类型
通知的配置语法
<aop:通知类型 method=“切面类中方法名” pointcut=“切点表达式"></aop:通知类型>
前置通知<aop:before>
用于配置前置通知。指定增强的方法 在切入 点方法 之前执 行
后置通知<aop:after-returning>
用于配置后置通知。指定增强的方法 在切入 点方法 之后执 行
环绕通知<aop:around>
用于配置环绕通知。指定增强的方法 在切入 点方法 之前和 之后都 执行
异常抛出通知<aop:throwing>
用于配置异常抛出通知。指定增强的 方法在 出现异 常时执 行
最终通知<aop:after>
用于配置最终通知。无论增强方式执 行是否 有异常 都会执 行
切点表达式的抽取
当多个增强的切点表达式相同时,可以将切点表达式进行抽取,在增强中使用 pointcut-ref 属性代替 pointcut 属性来引用抽 取后的切点表达式。
<aop:config> <!--引用myAspect的Bean为切面对象--> <aop:aspect ref="myAspect">
<aop:pointcut id="myPointcut" expression="execution(* com.itheima.aop.*.*(..))"/>
<aop:before method="before" pointcut-ref="myPointcut"></aop:before> </aop:aspect>
</aop:config>
<aop:pointcut id="myPointcut" expression="execution(* com.itheima.aop.*.*(..))"/>
<aop:before method="before" pointcut-ref="myPointcut"></aop:before> </aop:aspect>
</aop:config>
aop织入的配置
<aop:config>
<aop:aspect ref=“切 面 类 ”>
<aop:before method=“通 知 方 法 名 称” pointcut=“切 点 表 达 式 "></aop:before> </aop:aspect>
</aop:config>
<aop:aspect ref=“切 面 类 ”>
<aop:before method=“通 知 方 法 名 称” pointcut=“切 点 表 达 式 "></aop:before> </aop:aspect>
</aop:config>
基于注解的AOP开发
开发步骤
创建目标接口和目标类(内部有切点)
创建切面类(内部有增强方法)
将目标类和切面类的对象创建权交给 spring
在切面类中使用注解配置织入关系
@Component("myAspect") @Aspect
public class MyAspect {
@Before("execution(* com.itheima.aop.*.*(..))") public void before(){
System.out.println("前置代码增强....."); }
}
public class MyAspect {
@Before("execution(* com.itheima.aop.*.*(..))") public void before(){
System.out.println("前置代码增强....."); }
}
在配置文件中开启组件扫描和 AOP 的自动代理
<!--组件扫描-->
<context:component-scan base-package="com.itheima.aop"/>
<!--aop的自动代理--> <aop:aspectj-autoproxy></aop:aspectj-autoproxy>
<context:component-scan base-package="com.itheima.aop"/>
<!--aop的自动代理--> <aop:aspectj-autoproxy></aop:aspectj-autoproxy>
注解配置 AOP 详解
注解通知的类型
前置通知@Before
用于配置前置通知。指定增强的方法 在切入 点方法 之前执 行
后置通知@AfterReturning
用于配置后置通知。指定增强的方法 在切入 点方法 之后执 行
环绕通知@Around
用于配置环绕通知。指定增强的方法 在切入 点方法 之前和 之后都 执行
异常抛出通知@AfterThrowing
用于配置异常抛出通知。指定增强的 方法在 出现异 常时执 行
最终通知@After
用于配置最终通知。无论增强方式执 行是否 有异常 都会执 行
切点表达式的抽取
同 xml 配置 aop 一样,我们可以将切点表达式抽取。抽取方式是在切面内定义方法,在该方法上使用@Pointcut 注解定义切点表达式,然后在在增强 注解中 进行引 用。
@@Component("myAspect") @Aspect
public class MyAspect {
@Before("MyAspect.myPoint()") public void before(){
System.out.printl n("前 置 代 码 增 强 ....."); }
@Pointcut("execution(* com.itheima.aop.*.*(..))")
public void myPoint(){} }
public class MyAspect {
@Before("MyAspect.myPoint()") public void before(){
System.out.printl n("前 置 代 码 增 强 ....."); }
@Pointcut("execution(* com.itheima.aop.*.*(..))")
public void myPoint(){} }
优势
方便解耦,简化开发
AOP编程的支持
声明式事物的支持
方便程序的测试
方便集成各种优秀的框架
降低JaveEE API的使用难度
Java源码是经典学习范例
Spring程序开发步骤
导入Spring开发的基本包
编写Dao接口和实现类
创建Spring核心配置文件(applicationContext.xml)
在Spring配置文件中配置接口实现类
使用Spring API获取Bean实例
Spring配置文件
Bean标签基本配置
id: Bean实例在Spring容器中的唯一标识
class:Bean的全限定名称
Bean标签范围配置:scope
singleton:默认值,单例的
Bean实例化个数:1个
Bean的实例化时机:当Spring核心文件被加载时,实例化配置的Bean实例
Bean的生命周期
对象创建:当应用加载,创建容器时,对象就被创建了
对象运行:只要容器在,对象一直活着
对象销毁:当应用卸载,销毁容器时,对象就被销毁了
prototype:多例的
Bean的实例化个数:多个
Bean的实例化时机:当调用getBean()方法时实例化Bean
Bean的生命周期
对象创建:当使用对象时,创建新的对象实例
对象运行:只要对象在使用中,就一直活着
对象销毁:当对象长时间不用时,被Java的垃圾回收期回收
request:Web项目中,Spring创建一个Bean的对象,将对象存入到request域中
session:Web项目中,Spring创建一个Bean的对象,将对象存入到session域中
global session:Web项目中,应用在Portlet环境,如果没有Portlet环境,那么globalSession相当于session
Bean生命周期配置
init-method:指定类中的初始化方法名称
destroy-method:指定类中销毁方法名称
Bean实例化三种方式
无参构造方法实例化
<bean id="userDao" class="com.itheima.dao.impl.UserDaoImpl"/>
工厂静态方法实例化
public class StaticFactoryBean {
public static UserDao createUserDao(){
return new UserDaoImpl(); }
}
public static UserDao createUserDao(){
return new UserDaoImpl(); }
}
<bean id="userDao" class="com.itheima.factory.StaticFactoryBean" factory-method="createUserDao" />
工厂实例方法实例化
public class DynamicFactoryBean { public UserDao createUserDao(){
return new UserDaoImpl(); }
}
return new UserDaoImpl(); }
}
<bean id="factoryBean" class="com.itheima.factory.DynamicFactoryBean"/>
<bean id="userDao" factory-bean="factoryBean" factory-method="createUserDao"/>
Bean的依赖注入概念
依赖注入(Dependency Injection)是Spring框架核心IOC的具体实现
在编写程序时,通过控制反转,把对象的创建交给了 Spring,但是代码中不可能出现没有依赖的情况。
IOC 解耦只是降低他们的依赖关系,但不会消除。例如:业务层仍会调用持久层的方法。
IOC 解耦只是降低他们的依赖关系,但不会消除。例如:业务层仍会调用持久层的方法。
Bean的依赖注入方式
构造方法
创建有参构造
public class UserServiceImpl implements UserService { @Override
public void save() {
ApplicationContext applicationContext = new ClassPathXmlApplicationContext("applicationContext.xml"); UserDao userDao = (UserDao) applicationContext.getBean("userDao"); userDao.save();
} }
public void save() {
ApplicationContext applicationContext = new ClassPathXmlApplicationContext("applicationContext.xml"); UserDao userDao = (UserDao) applicationContext.getBean("userDao"); userDao.save();
} }
配置Spring容器调用有参构造时进行注入
<bean id="userDao" class="com.itheima.dao.impl.UserDaoImpl"/>
<bean id="userService" class="com.itheima.service.impl.UserServiceImpl">
<constructor-arg name="userDao" ref="userDao"></constructor-arg> </bean>
<constructor-arg name="userDao" ref="userDao"></constructor-arg> </bean>
set方法
在UserServiceImpl中添加setUserDao方法
public class UserServiceImpl implements UserService { private UserDao userDao;
public void setUserDao(UserDao userDao) {
this.userDao = userDao; }
@Override
public void save() { userDao.save();
} }
public void setUserDao(UserDao userDao) {
this.userDao = userDao; }
@Override
public void save() { userDao.save();
} }
注入
方式一
<bean id="userDao" class="com.itheima.dao.impl.UserDaoImpl"/>
<bean id="userService" class="com.itheima.service.impl.UserServiceImpl"> <property name="userDao" ref="userDao"/>
</bean>
</bean>
方式二
P命名空间注入本质也是set方法注入,但比起上述的set方法注入更加方便,主要体现在配置文件中,如下: 首先,需要引入P命名空间:
xmlns:p="http://www.springframework.org/schema/p"
xmlns:p="http://www.springframework.org/schema/p"
其次,需要修改注入方式
<bean id="userService" class="com.itheima.service.impl.UserServiceImpl" p:userDao- ref="userDao"/>
<bean id="userService" class="com.itheima.service.impl.UserServiceImpl" p:userDao- ref="userDao"/>
Bean的依赖注入的数据类型
引用数据类型
上面的操作是对UserDao对象的引用进行注入的
普通数据类型
代码
private String company;
private int age;
public void setCompany(String company) {
this.company = company; }
public void setAge(int age) { this.age = age;
}
private int age;
public void setCompany(String company) {
this.company = company; }
public void setAge(int age) { this.age = age;
}
配置文件
<bean id="userDao" class="com.itheima.dao.impl.UserDaoImpl"> <property name="company" value="传 智 播 客 "></property> <property name="age" value="15"></property>
</bean>
</bean>
集合数据类型
集合数据类型(List<String>)的注入
代码
private List<String> strList;
public void setStrList(List<String> strList) {
this.strList = strList; }
public void setStrList(List<String> strList) {
this.strList = strList; }
配置文件
<bean id="userDao" class="com.itheima.dao.impl.UserDaoImpl"> <property name="strList">
<list> <value>aaa</value> <value>bbb</value> <value>ccc</value>
</list> </property>
</bean>
<list> <value>aaa</value> <value>bbb</value> <value>ccc</value>
</list> </property>
</bean>
集合数据类型(List<User>)的注入
代码
private List<User> userList;
public void setUserList(List<User> userList) {
this.userList = userList; }
public void setUserList(List<User> userList) {
this.userList = userList; }
配置文件
<bean id="u1" class="com.itheima.domain.User"/>
<bean id="u2" class="com.itheima.domain.User"/>
<bean id="userDao" class="com.itheima.dao.impl.UserDaoImpl">
<property name="userList"> <list>
<bean class="com.itheima.domain.User"/> <bean class="com.itheima.domain.User"/> <ref bean="u1"/>
<ref bean="u2"/>
</list> </property>
</bean>
<bean id="u2" class="com.itheima.domain.User"/>
<bean id="userDao" class="com.itheima.dao.impl.UserDaoImpl">
<property name="userList"> <list>
<bean class="com.itheima.domain.User"/> <bean class="com.itheima.domain.User"/> <ref bean="u1"/>
<ref bean="u2"/>
</list> </property>
</bean>
集合数据类型( Map<String,User> )的注入
代码
private Map<String,User> userMap;
public void setUserMap(Map<String, User> userMap) {
this.userMap = userMap; }
public void setUserMap(Map<String, User> userMap) {
this.userMap = userMap; }
配置文件
<bean id="u1" class="com.itheima.domain.User"/>
<bean id="u2" class="com.itheima.domain.User"/>
<bean id="userDao" class="com.itheima.dao.impl.UserDaoImpl">
<property name="userMap"> <map>
<entry key="user1" value-ref="u1"/>
<entry key="user2" value-ref="u2"/> </map>
</property> </bean>
<bean id="u2" class="com.itheima.domain.User"/>
<bean id="userDao" class="com.itheima.dao.impl.UserDaoImpl">
<property name="userMap"> <map>
<entry key="user1" value-ref="u1"/>
<entry key="user2" value-ref="u2"/> </map>
</property> </bean>
集合数据类型(Properties)的注入
代码
private Properties properties;
public void setProperties(Properties properties) {
this.properties = properties; }
public void setProperties(Properties properties) {
this.properties = properties; }
配置文件
<bean id="userDao" class="com.itheima.dao.impl.UserDaoImpl"> <property name="properties">
<props>
<prop key="p1">aaa</prop> <prop key="p2">bbb</prop> <prop key="p3">ccc</prop>
</props> </property>
</bean>
<props>
<prop key="p1">aaa</prop> <prop key="p2">bbb</prop> <prop key="p3">ccc</prop>
</props> </property>
</bean>
引入其他配置文件(分模块开发)
<import resource="applicationContext-xxx.xml"/>
知识要点
<bean>标签
id属性:在容器中Bean实例的唯一标识,不允 许重复 class属性:要实例化的Bean的全限定名 scope属性:Bean的作用范围,常用是Singleton(默认)和prototype <property>标签:属性注入
name属性:属性名称 value属性:注入的普通属性值 ref属性:注入的对象引用值 <list>标签
<map>标签
<properties>标签 <constructor-arg>标签
<import>标签:导入其他的Spring的分文件
id属性:在容器中Bean实例的唯一标识,不允 许重复 class属性:要实例化的Bean的全限定名 scope属性:Bean的作用范围,常用是Singleton(默认)和prototype <property>标签:属性注入
name属性:属性名称 value属性:注入的普通属性值 ref属性:注入的对象引用值 <list>标签
<map>标签
<properties>标签 <constructor-arg>标签
<import>标签:导入其他的Spring的分文件
Spring相关API
ApplicationContext的继承体系
applicationContext:接口类型,代表应用上下文,可以通过其实例获得Spring容器中的Bean对象
ApplicationContext的实现类
ClassPathXmlApplicationContext
它是从类的根路径下加载配置文件 推荐使用这种
FileSystemXmlApplicationContext
它是从磁盘路径上加载配置文件,配置文件可以在磁盘的任意位置。
AnnotationConfigApplicationContext
当使用注解配置容器对象时,需要使用此类来创建 spring 容器。它用来读取注解。
getBean()方法
ApplicationContext app = new ClasspathXmlApplicationContext("xml文件")
app.getBean("id")
app.getBean(Class)
app.getBean("id")
app.getBean(Class)
IOC和DI注解开发
Spring配置数据源
数据源(连接池)的作用
数据源(连接池)是提高程序性能而出现的
实现实例化数据源,初始化部分连接资源
使用连接资源时从数据源中获取
使用完毕后将连接资源还给数据源
常见的数据源:DBCP,C3P0,BoneCP,Bruid等
数据源开发步骤
导入数据源的坐标和数据库驱动坐标
创建数据源对象
设置数据源的基本连接数据
使用数据源获取链接资源和归还链接资源
数据源的手动创建
导入c3p0和druid的坐标
导入mysql数据库驱动坐标
创建C3P0连接池
创建Druid连接池
提取jdbc.properties配置文件
读取jdbc.properties配置文件创建连接池
抽取jdbc配置文件
applicationContext.xml加载jdbc.properties配置文件获得连接信息。
需要引入context命名空间和约束路径:
命名空间:xmlns:context="http://www.springframework.org/schema/context"
约束路径:http://www.springframework.org/schema/context
http://www.springframework.org/schema/context/spring-context.xsd
http://www.springframework.org/schema/context/spring-context.xsd
Spring容器加载properties文件
<context:property-placeholder location="xx.properties"/>
<property name="" value="${key}"/>
<property name="" value="${key}"/>
Spring注解开发
Spring原始注解
简介
Spring是轻代码而重配置的框架,配置比较繁重,影响开发效率,所以注解开发是一种趋势,注解代替xml配置 文件可以简化配置,提高开发效率。
作用
Spring原始注解主要是替代<Bean>的配置
分类
@Component
使用在类上用于实例化Bean
@Controller
使用在web层类上用于实例化Bean
@Service
使用在Service层类上用于实例化Bean
@Repository
@Autowired
使用在字段上用于根据类型依赖注入
@Qualifier
结合@Autowired一起使用用于根据名称进行依赖注入
@Resource
相当于@Autowired和@Qualifier,按照名称进行注入
@Value
注入普通属性
@Scpoe
标注Bean的作用范围
singleton:默认值,单例的
Bean实例化个数:1个
Bean的实例化时机:当Spring核心文件被加载时,实例化配置的Bean实例
Bean的生命周期
对象创建:当应用加载,创建容器时,对象就被创建了
对象运行:只要容器在,对象一直活着
对象销毁:当应用卸载,销毁容器时,对象就被销毁了
prototype:多例的
Bean的实例化个数:多个
Bean的实例化时机:当调用getBean()方法时实例化Bean
Bean的生命周期
对象创建:当使用对象时,创建新的对象实例
对象运行:只要对象在使用中,就一直活着
对象销毁:当对象长时间不用时,被Java的垃圾回收期回收
request:Web项目中,Spring创建一个Bean的对象,将对象存入到request域中
session:Web项目中,Spring创建一个Bean的对象,将对象存入到session域中
global session:Web项目中,应用在Portlet环境,如果没有Portlet环境,那么globalSession相当于session
@PostConstruct
使用在方法上标注该方法是Bean的初始化方法
@PreDestroy
使用在方法上标注该方法是Bean的销毁方法
注意事项
使用注解进行开发时,需要在applicationContext.xml中配置组件扫描,作用是指定哪个包及其子包下的Bean 需要进行扫描以便识别使用注解配置的类、字段和方法。
<!--注解的组件扫描-->
<context:component-scan base-package="com.itheima"></context:component- scan>
<context:component-scan base-package="com.itheima"></context:component- scan>
Spring新注解
@Configuration
用于指定当前类是一个 Spring 配置类,当创建容器时会从该类上加载注解
@ComponentScan
用于指定 Spring 在初始化容器时要扫描的包。
作用和在 Spring 的 xml 配置文件中的
<context:component-scan base-package="com.itheima"/>一样
作用和在 Spring 的 xml 配置文件中的
<context:component-scan base-package="com.itheima"/>一样
@ComponentScan("com.itheima")
@Bean
使用在方法上,标注将该方法的返回值存储到 Spring 容器中
@PropertySource
用于加载.properties 文件中的配置
@PropertySource("classpath:jdbc.properties")
@Import
用于导入其他配置类
@Import({DataSourceConfiguration.class})
Spring整合Junit
步骤
导入spring集成Junit的坐标
使用@Runwith注解替换原来的运行期
@RunWith(SpringJUnit4ClassRunner.class)
使用@ContextConfiguration指定配置文件或配置类
@ContextConfiguration(classes = {SpringConfiguration.class})
使用@Autowired注入需要测试的对象
创建测试方法进行测试
SpringMVC
SpringMVC入门
Spring与Web环境集成
ApplicationContext应用上下文获取方式
应用上下文对象是通过new ClasspathXmlApplicationContext(spring配置文件) 方式获取的,但是每次从 容器中获得Bean时都要编写newClasspathXmlApplicationContext(spring配置文件) ,这样的弊端是配置 文件加载多次,应用上下文对象创建多次。
在Web项目中,可以使用ServletContextListener监听Web应用的启动,我们可以在Web应用启动时,就加 载Spring的配置文件,创建应用上下文对象ApplicationContext,在将其存储到最大的域servletContext域 中,这样就可以在任意位置从域中获得应用上下文ApplicationContext对象了。
Spring提供获取应用上下文的工具
上面的分析不用手动实现,Spring提供了一个监听器ContextLoaderListener就是对上述功能的封装,该监 听器内部加载Spring配置文件,创建应用上下文对象,并存储到ServletContext域中,提供了一个客户端工 具WebApplicationContextUtils供使用者获得应用上下文对象。
所以我们需要做的只有两件事:
1 在web.xml中配置ContextLoaderListener监听器(导入spring-web坐标)
2 使用WebApplicationContextUtils获得应用上下文对象ApplicationContext
1 在web.xml中配置ContextLoaderListener监听器(导入spring-web坐标)
2 使用WebApplicationContextUtils获得应用上下文对象ApplicationContext
SpringMVC的简介
概述
SpringMVC 是一种基于 Java 的实现 MVC 设计模型的请求驱动类型的轻量级 Web 框架,属于 SpringFrameWork 的后续产品,已经融合在 Spring Web Flow 中。
SpringMVC 已经成为目前最主流的MVC框架之一,并且随着Spring3.0 的发布,全面超越 Struts2,成为最优 秀的 MVC 框架。它通过一套注解,让一个简单的 Java 类成为处理请求的控制器,而无须实现任何接口。同时 它还支持 RESTful 编程风格的请求。
开发步骤
导入SpringMVC相关坐标
导入Spring和SpringMVC,Servlet和Jsp的坐标
配置SpringMVC核心控制器DispathcerServlet
<servlet>
<servlet-name>DispatcherServlet</servlet-name> <servlet-class>org.springframework.web.servlet.DispatcherServlet</servlet-class> <init-param>
<param-name>contextConfigLocation</param-name>
<p ara m-v alu e>c las spa th: spr ing -mv c.x ml< /pa ram -va lue > </init-param>
<load-on-startup>1</load-on-startup>
</servlet> <servlet-mapping>
<servlet-name>DispatcherServlet</servlet-name>
<url-pattern>/</url-pattern> </servlet-mapping>
<servlet-name>DispatcherServlet</servlet-name> <servlet-class>org.springframework.web.servlet.DispatcherServlet</servlet-class> <init-param>
<param-name>contextConfigLocation</param-name>
<p ara m-v alu e>c las spa th: spr ing -mv c.x ml< /pa ram -va lue > </init-param>
<load-on-startup>1</load-on-startup>
</servlet> <servlet-mapping>
<servlet-name>DispatcherServlet</servlet-name>
<url-pattern>/</url-pattern> </servlet-mapping>
创建Controller类和视图页面
使用注解配置Controller类中业务方法的映射地址
配置SpringMVC核心文件 spring-mvc.xml
<beans
xmlns="http://www.springframework.org/schema/beans" xmlns:mvc="http://www.springframework.org/schema/mvc" xmlns:context="http://www.springframework.org/schema/context" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi :sc hem aLo cat ion ="h ttp :// www .sp rin gfr ame wor k.o rg/ sch ema /be ans http://www.springframework.org/schema/beans/spring-beans.xsd http://www.springframework.org/schema/mvc
htt p:/ /ww w.s pri ngf ram ewo rk. org /sc hem a/m vc/ spr ing -mv c.x sd http://www.springframework.org/schema/context http://www.springframework.org/schema/context/spring-context.xsd">
<!--配置注解扫描-->
<context:component-scan base-package="com.itheima"/> </beans>
xmlns="http://www.springframework.org/schema/beans" xmlns:mvc="http://www.springframework.org/schema/mvc" xmlns:context="http://www.springframework.org/schema/context" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi :sc hem aLo cat ion ="h ttp :// www .sp rin gfr ame wor k.o rg/ sch ema /be ans http://www.springframework.org/schema/beans/spring-beans.xsd http://www.springframework.org/schema/mvc
htt p:/ /ww w.s pri ngf ram ewo rk. org /sc hem a/m vc/ spr ing -mv c.x sd http://www.springframework.org/schema/context http://www.springframework.org/schema/context/spring-context.xsd">
<!--配置注解扫描-->
<context:component-scan base-package="com.itheima"/> </beans>
客户端发起请求测试
SpringMVC的组件解析
SpringMVC的执行流程
用户发送请求至前端控制器DispatcherServlet。
DispatcherServlet收到请求调用HandlerMapping处理器映射器。
处理器映射器找到具体的处理器(可以根据xml配置、注解进行查找),生成处理器对象及处理器拦截器(如果
有则生成)一并返回给DispatcherServlet。
有则生成)一并返回给DispatcherServlet。
DispatcherServlet调用HandlerAdapter处理器适配器。
HandlerAdapter经过适配调用具体的处理器(Controller,也叫后端控制器)。
Controller执行完成返回ModelAndView。
HandlerAdapter将controller执行结果ModelAndView返回给DispatcherServlet。
DispatcherServlet将ModelAndView传给ViewReslover视图解析器。
ViewReslover解析后返回具体View。
DispatcherServlet根据View进行渲染视图(即将模型数据填充至视图中)。DispatcherServlet响应用户。
SpringMVC组件解析
前端控制器:DispatcherServlet
用户请求到达前端控制器,它就相当于 MVC 模式中的 C,DispatcherServlet 是整个流程控制的中心,由 它调用其它组件处理用户的请求,DispatcherServlet 的存在降低了组件之间的耦合性。
处理器映射器:HandlerMapping
HandlerMapping 负责根据用户请求找到 Handler 即处理器,SpringMVC 提供了不同的映射器实现不同的 映射方式,例如:配置文件方式,实现接口方式,注解方式等。
处理器适配器:HandlerAdapter
通过 HandlerAdapter 对处理器进行执行,这是适配器模式的应用,通过扩展适配器可以对更多类型的处理 器进行执行。
处理器:Handler
它就是我们开发中要编写的具体业务控制器。由 DispatcherServlet 把用户请求转发到 Handler。由 Handler 对具体的用户请求进行处理。
视图解析器:View Resolver
View Resolver 负责将处理结果生成 View 视图,View Resolver 首先根据逻辑视图名解析成物理视图名,即 具体的页面地址,再生成 View 视图对象,最后对 View 进行渲染将处理结果通过页面展示给用户。
视图:View
SpringMVC 框架提供了很多的 View 视图类型的支持,包括:jstlView、freemarkerView、pdfView等。最 常用的视图就是 jsp。一般情况下需要通过页面标签或页面模版技术将模型数据通过页面展示给用户,需要由程 序员根据业务需求开发具体的页面
SpringMVC注解解析
@RequestMapping
作用
用于建立请求 URL 和处理请求方法之间的对应关系
位置
类上,请求URL 的第一级访问目录。此处不写的话,就相当于应用的根目录
方法上,请求 URL 的第二级访问目录,与类上的使用@ReqquestMapping标注的一级目录一起组成访问虚拟路径
属性
value:用于指定请求的URL。它和path属性的作用是一样的
method:用于指定请求的方式
params:用于指定限制请求参数的条件。它支持简单的表达式。要求请求参数的key和value必须和配置的一模一样
params = {"accountName"},表示请求参数必须有accountName
params = {"moeny!100"},表示请求参数中money不能是100
命名空间引入
命名空间
xmlns:context="http://www.springframework.org/schema/context"
xmlns:mvc="http://www.springframework.org/schema/mvc"
xmlns:mvc="http://www.springframework.org/schema/mvc"
约束地址
http://www.springframework.org/schema/context
http://www.springframework.org/schema/context/spring-context.xsd
http://www.springframework.org/schema/mvc
http://www.springframework.org/schema/mvc/spring-mvc.xsd
http://www.springframework.org/schema/context/spring-context.xsd
http://www.springframework.org/schema/mvc
http://www.springframework.org/schema/mvc/spring-mvc.xsd
组件扫描
SpringMVC基于Spring容器,所以在进行S pri ngM VC操作时,需要将C ont rol ler存储到 Spr ing容器中,如果使 用@Controller注解标注的话,就需要使用<context:component-scan base- package=“com.itheima.controller"/>进行组件扫描。
视图解析器
SpringMVC有默认组件配置,默认组件都是DispatcherServlet.properties配置文件中配置的,该配置文件地址 org/springframework/web/servlet/DispatcherServlet.properties,该文件中配置了默认的视图解析器
org.springframework.web.servlet.ViewResolver=org.springframework.web.servlet.view.I nternalResourceViewResolver
REDIRECT_URL_PREFIX = "redirect:" --重定向前缀
FORWARD_URL_PREFIX = "forward:" --转发前缀(默认值)
prefix = ""; --视图名称前缀
suffix = ""; --视图名称后缀
FORWARD_URL_PREFIX = "forward:" --转发前缀(默认值)
prefix = ""; --视图名称前缀
suffix = ""; --视图名称后缀
SpringMVC的请求和相应
数据响应
页面跳转
直接返回字符串
字符串是页面name
通过ModelAndView对象返回
回写数据
直接返回字符串
通过SpringMVC框架注入的response对象,使用response.getWriter().print(“hello world”) 回写数 据,此时不需要视图跳转,业务方法返回值为void。
将需要回写的字符串直接返回,但此时需要通过@ResponseBody注解告知SpringMVC框架,方法 返回的字符串不是跳转是直接在http响应体中返回。
返回对象或集合
在方法上添加@ResponseBody就可以返回json格式的字符串,但是这样配置比较麻烦,配置的代码比较多, 因此,我们可以使用mvc的注解驱动代替上述配置。
通过SpringMVC帮助我们对对象或集合进行json字符串的转换并回写,为处理器适配器配置消息转换参数, 指定使用jackson进行对象或集合的转换,因此需要在spring-mvc.xml中进行如下配置:
<bean class="org.springframework.web.servlet.mvc.method.annotation .RequestMappingHandlerAdapter">
<property name="messageConverters"> <list>
<bean class="org.springframework.http.converter.json .MappingJackson2HttpMessageConverter">
</bean> </list>
</property> </bean>
<property name="messageConverters"> <list>
<bean class="org.springframework.http.converter.json .MappingJackson2HttpMessageConverter">
</bean> </list>
</property> </bean>
在方法上添加@ResponseBody就可以返回json格式的字符串,但是这样配置比较麻烦,配置的代码比较多, 因此,我们可以使用mvc的注解驱动代替上述配置。
<!--mvc的注解驱动--> <mvc:annotation-driven/>
在 SpringMVC 的各个组件中,处理器映射器、处理器适配器、视图解析器称为 SpringMVC 的三大组件。 使用<mvc:annotation-driven>自动加载 RequestMappingHandlerMapping(处理映射器)和 RequestMappingHandlerAdapter( 处 理 适 配 器 ),可用在Spring-xml.xml配置文件中使用 <mvc:annotation-driven>替代注解处理器和适配器的配置。
获得请求数据
参数类型
基本类型参数
Controller中的业务方法的参数名称要与请求参数的name一致,参数值会自动映射匹配。
POJO类型参数
Controller中的业务方法的POJO参数的属性名与请求参数的name一致,参数值会自动映射匹配。
数组类型参数
Controller中的业务方法数组名称与请求参数的name一致,参数值会自动映射匹配。
?strs=111&strs=222&strs=333
集合类型参数
获得集合参数时,要将集合参数包装到一个POJO中才可以。
当使用ajax提交时,可以指定contentType为json形式,那么在方法参数位置使用@RequestBody可以 直接接收集合数据而无需使用POJO进行包装。
参数绑定注解@requestParam
当请求的参数名称与Controller的业务方法参数名称不一致时,就需要通过@RequestParam注解显示的绑定。
@ResponseBody
public void quickMethod14(@RequestParam("name") String username)
public void quickMethod14(@RequestParam("name") String username)
参数介绍
value:与请求参数名称
required:此在指定的请求参数是否必须包括,默认是true,提交时如果没有此参数则报错
defaultValue:当没有指定请求参数时,则使用指定的默认值赋值
请求数据乱码问题
当post请求时,数据会出现乱码,我们可以设置一个过滤器来进行编码的过滤
<filter>
<filter-name>CharacterEncodingFilter</filter-name> <filter-class>org.springframework.web.filter.CharacterEncodingFilter</filter-class> <init-param>
<param-name>encoding</param-name>
<param-value>UTF-8</param-value> </init-param>
</filter> <filter-mapping>
<filter-name>CharacterEncodingFilter</filter-name>
<url-pattern>/*</url-pattern> </filter-mapping>
<filter-name>CharacterEncodingFilter</filter-name> <filter-class>org.springframework.web.filter.CharacterEncodingFilter</filter-class> <init-param>
<param-name>encoding</param-name>
<param-value>UTF-8</param-value> </init-param>
</filter> <filter-mapping>
<filter-name>CharacterEncodingFilter</filter-name>
<url-pattern>/*</url-pattern> </filter-mapping>
获得Restful风格的参数
在业务方法中我们可以使用@PathVariable注解进行占位符的匹配获取工作。
自定义类型转换器
SpringMVC 默认已经提供了一些常用的类型转换器,例如客户端提交的字符串转换成int型进行参数设置。
• 但是不是所有的数据类型都提供了转换器,没有提供的就需要自定义转换器,例如:日期类型的数据就需要自
定义转换器。
• 但是不是所有的数据类型都提供了转换器,没有提供的就需要自定义转换器,例如:日期类型的数据就需要自
定义转换器。
开发步骤
定义转换器类实现Converter接口
public class DateConverter implements Converter<String,Date>{ @Override
public Date convert(String source) {
SimpleDateFormat format = new SimpleDateFormat("yyyy-MM-dd"); try {
Date date = format.parse(source);
return date;
} catch (ParseException e) {
e.printStackTrace(); }
return null; }
}
public Date convert(String source) {
SimpleDateFormat format = new SimpleDateFormat("yyyy-MM-dd"); try {
Date date = format.parse(source);
return date;
} catch (ParseException e) {
e.printStackTrace(); }
return null; }
}
在配置文件中声明转换器
<bean id="converterService" class="org.springframework.context.support.ConversionServiceFactoryBean"> <property name="converters">
<list>
<bean class="com.itheima.converter.DateConverter"/>
</list> </property>
</bean>
<list>
<bean class="com.itheima.converter.DateConverter"/>
</list> </property>
</bean>
在<annotation-driven>中引用转换器
<mvc:annotation-driven conversion-service="converterService"/>
获得Servlet相关API
常用的对象
HttpServletRequest
HttpServletResponse
HttpSession
获得请求头
@RequestHeader
使用@RequestHeader可以获得请求头信息,相当于web阶段学习的request.getHeader(name)
属性
value:请求头的名称
required:是否必须携带此请求头
实例
public void quickMethod17(
@RequestHeader(value = "User-Agent",required = false) String headerValue)
@RequestHeader(value = "User-Agent",required = false) String headerValue)
@CookieValue
使用@CookieValue可以获得指定Cookie的值
属性
value:指定cookie的名称
required:是否必须携带此cookie
实例
public void quickMethod18(
@CookieValue(value = "JSESSIONID",required = false) String jsessionid System.out.println(jsessionid);
})
@CookieValue(value = "JSESSIONID",required = false) String jsessionid System.out.println(jsessionid);
})
文件上传
导入fileupload和io坐标
配置文件上传解析器
编写文件上传代码
JdbcTemplate
概述
它是spring框架中提供的一个对象,是对原始繁琐的Jdbc API对象的简单封装。spring框架为我们提供了很多的操作 模板类。例如:操作关系型数据的JdbcTemplate和HibernateTemplate,操作nosql数据库的RedisTemplate,操 作消息队列的JmsTemplate等等。
开发步骤
导入spring-jdbc和spring-tx坐标
<!--导入spring的jdbc坐标--> <dependency>
<groupId>org.springframework</groupId> <artifactId>spring-jdbc</artifactId> <version>5.0.5.RELEASE</version>
</dependency> <!--导入spring的tx坐标--> <dependency>
<groupId>org.springframework</groupId> <artifactId>spring-tx</artifactId> <version>5.0.5.RELEASE</version>
</dependency>
<groupId>org.springframework</groupId> <artifactId>spring-jdbc</artifactId> <version>5.0.5.RELEASE</version>
</dependency> <!--导入spring的tx坐标--> <dependency>
<groupId>org.springframework</groupId> <artifactId>spring-tx</artifactId> <version>5.0.5.RELEASE</version>
</dependency>
创建数据库表和实体
创建JdbcTemplate对象
//1、创建数据源对象
ComboPooledDataSource dataSource = new ComboPooledDataSource(); data Sou rce .se tDr ive rCl ass ("c om. mys ql. jdb c.D riv er" ); dataSource.setJdbcUrl("jdbc:mysql://localhost:3306/test"); dataSource.setUser("root");
data Sou rce .se tPa ssw ord ("r oot ");
//2、创建JdbcTemplate对象
JdbcTemplate jdbcTemplate = new JdbcTemplate(); //3、设置数据源给JdbcTemplate
jdbcTemplate.setDataSource(dataSource);
//4、执行操作
jdbcTemplate.update("insert into account values(?,?)","tom",5000);
ComboPooledDataSource dataSource = new ComboPooledDataSource(); data Sou rce .se tDr ive rCl ass ("c om. mys ql. jdb c.D riv er" ); dataSource.setJdbcUrl("jdbc:mysql://localhost:3306/test"); dataSource.setUser("root");
data Sou rce .se tPa ssw ord ("r oot ");
//2、创建JdbcTemplate对象
JdbcTemplate jdbcTemplate = new JdbcTemplate(); //3、设置数据源给JdbcTemplate
jdbcTemplate.setDataSource(dataSource);
//4、执行操作
jdbcTemplate.update("insert into account values(?,?)","tom",5000);
执行数据库操作
Spring产生JdbcTemplate对象
将JdbcTemplate的创建权交给Spring,将数据源DataSource的创建权也交给Spring,在Spring容器内部将 数据源DataSource注入到JdbcTemplate模版对象中
<!--数据源DataSource-->
<bean id="dataSource" class="com.mchange.v2.c3p0.ComboPooledDataSource">
<property name="driverClass" value="com.mysql.jdbc.Driver"></property> <property name="jdbcUrl" value="jdbc:mysql:///test"></property> <property name="user" value="root"></property>
<property name="password" value="root"></property>
</bean>
<!--JdbcTemplate-->
<bean id="jdbcTemplate" class="org.springframework.jdbc.core.JdbcTemplate">
<property name="dataSource" ref="dataSource"></property> </bean>
<bean id="dataSource" class="com.mchange.v2.c3p0.ComboPooledDataSource">
<property name="driverClass" value="com.mysql.jdbc.Driver"></property> <property name="jdbcUrl" value="jdbc:mysql:///test"></property> <property name="user" value="root"></property>
<property name="password" value="root"></property>
</bean>
<!--JdbcTemplate-->
<bean id="jdbcTemplate" class="org.springframework.jdbc.core.JdbcTemplate">
<property name="dataSource" ref="dataSource"></property> </bean>
从容器中获得JdbcTemplate进行添加操作
public void testSpringJdbcTemplate() throws PropertyVetoException { ApplicationContext applicationContext = new
ClassPathXmlApplicationContext("applicationContext.xml");
JdbcTemplate jdbcTemplate = applicationContext.getBean(JdbcTemplate.class); jdbcTemplate.update("insert into account values(?,?)","lucy",5000);
}
ClassPathXmlApplicationContext("applicationContext.xml");
JdbcTemplate jdbcTemplate = applicationContext.getBean(JdbcTemplate.class); jdbcTemplate.update("insert into account values(?,?)","lucy",5000);
}
查询单个数据操作操作
public void testQueryOne(){
Account account = jdbcTemplate.queryForObject("select * from account where name=?", new BeanPropertyRowMapper<Account>(Account.class), "tom");
System.out.println(account.getName()); }
Account account = jdbcTemplate.queryForObject("select * from account where name=?", new BeanPropertyRowMapper<Account>(Account.class), "tom");
System.out.println(account.getName()); }
public void testQueryCount(){
Long aLong = jdbcTemplate.queryForObject("select count(*) from account", Long.class);
System.out.println(aLong); }
Long aLong = jdbcTemplate.queryForObject("select count(*) from account", Long.class);
System.out.println(aLong); }
Spring环境搭建步骤
创建工程
导入静态页面
导入需要的坐标
创建包结构(controller、service、dao、domain、utils)
导入数据库脚本
创建POJO类(User.java和Role.java)
创建配置文件(applicationContext.xml、spring-mvc.xml、jdbc.properties、log4j.properties)
SpringMVC拦截器
拦截器(interceptor)的作用
Spring MVC 的拦截器类似于 Servlet 开发中的过滤器 Filter,用于对处理器进行预处理和后处理。
将拦截器按一定的顺序联结成一条链,这条链称为拦截器链(Interceptor Chain)。在访问被拦截的方 法或字段时,拦截器链中的拦截器就会按其之前定义的顺序被调用。拦截器也是AOP思想的具体实现。
拦截器和过滤器的区别
适用范围
过滤器
是 servlet 规范中的一部分,任何 Java Web 工程都可以使用
拦截器
是 SpringMVC 框架自己的,只有使用了 SpringMVC 框架的工程才能用
拦截范围
过滤器
在 url-pattern 中配置了/*之后, 可以对所有要访问的资源拦截
拦截器
在<mvc:mapping path=“”/>中配置了/**之 后,也可以多所有资源进行拦截,但 是可以 通 过<mvc:exclude-mapping path=“”/>标签 排除不需要拦截的资源
开发拦截器的步骤
创建拦截器类实现HandlerInterceptor接口
配置拦截器
<!--配置拦截器--> <mvc:interceptors>
<mvc:interceptor>
<mvc:mapping path="/**"/>
<bean class="com.itheima.interceptor.MyHandlerInterceptor1"/>
</mvc:interceptor> </mvc:interceptors>
<mvc:interceptor>
<mvc:mapping path="/**"/>
<bean class="com.itheima.interceptor.MyHandlerInterceptor1"/>
</mvc:interceptor> </mvc:interceptors>
测试拦截器的拦截效果
拦截器方法说明
preHandle()
方法将在请求处理之前进行调用,该方法的返回值是布尔值Boolean类型的, 当它返回为false 时,表示请求结束,后续的Interceptor 和Controller 都不会 再执行;当返回值为true 时就会继续调用下一个Interceptor 的preHandle 方 法
postHandle()
该方法是在当前请求进行处理之后被调用,前提是preHandle 方法的返回值为 true 时才能被调用,且它会在DispatcherServlet 进行视图返回渲染之前被调 用,所以我们可以在这个方法中对Controller 处理之后的ModelAndView 对象 进行操作
afterCompletion()
该方法将在整个请求结束之后,也就是在DispatcherServlet 渲染了对应的视图 之后执行,前提是preHandle 方法的返回值为true 时才能被调用
SpringMVC异常处理机制
异常处理方式
使用Spring MVC提供的简单异常处理器SimpleMappingExceptionResolver
<bean class=“org.springframework.web.servlet.handler.SimpleMappingExceptionResolver”>
<property name=“defaultErrorView” value=“error”/> 默认错误视图 <property name=“exceptionMappings”>
<map> 异常类型 错误视图 <entry key="com.itheima.exception.MyException" value="error"/> <entry key="java.lang.ClassCastException" value="error"/>
</map> </property>
</bean>
<property name=“defaultErrorView” value=“error”/> 默认错误视图 <property name=“exceptionMappings”>
<map> 异常类型 错误视图 <entry key="com.itheima.exception.MyException" value="error"/> <entry key="java.lang.ClassCastException" value="error"/>
</map> </property>
</bean>
实现Spring的异常处理接口HandlerExceptionResolver 自定义自己的异常处理器
自定义异常处理步骤
创建异常处理器类实现HandlerExceptionResolver
public class MyExceptionResolver implements HandlerExceptionResolver { @Override
public ModelAndView resolveException(HttpServletRequest request, HttpServletResponse response, Object handler, Exception ex) {
} }
//处理异常的代码实现
//创建ModelAndView对象
ModelAndView modelAndView = new ModelAndView(); modelAndView.setViewName("exceptionPage"); return modelAndView;}}
public ModelAndView resolveException(HttpServletRequest request, HttpServletResponse response, Object handler, Exception ex) {
} }
//处理异常的代码实现
//创建ModelAndView对象
ModelAndView modelAndView = new ModelAndView(); modelAndView.setViewName("exceptionPage"); return modelAndView;}}
配置异常处理器
<bean id="exceptionResolver" class="com.itheima.exception.MyExceptionResolver"/>
编写异常页面
测试异常跳转
声明式事务控制
编程式事务控制三大对象
PlatformTransactionManager
PlatformTransactionManager 接口是 spring 的事务管理器,它里面提供了我们常用的操作事务的方法。
PlatformTransactionManager 是接口类型,不同的 Dao 层技术则有不同的实现类,例如:Dao 层技术是jdbc 或 mybatis 时:org.springframework.jdbc.datasource.DataSourceTransactionManager
Dao 层技术是hibernate时:org.springframework.orm.hibernate5.HibernateTransactionManager
Dao 层技术是hibernate时:org.springframework.orm.hibernate5.HibernateTransactionManager
方法
TransactionStatus getTransaction(TransactionDefination defination)
获取事务的状态信息
void commit(TransactionStatus status)
提交事务
void rollback(TransactionStatus status)
回滚事务
TransactionDefinition
TransactionDefinition 是事务的定义信息对象,里面有如下方法:
int getIsolationLevel()
获得事务的隔离级别
int getPropogationBehavior()
获得事务的传播行为
int getTimeout()
获得超时时间
boolean isReadOnly()
是否只读
事务隔离级别
设置隔离级别,可以解决事务并发产生的问题,如脏读、不可重复读和虚读。
ISOLATION_DEFAULT
ISOLATION_READ_UNCOMMITTED
ISOLATION_READ_COMMITTED
ISOLATION_REPEATABLE_READ
ISOLATION_SERIALIZABLE
事务传播行为
REQUIRED
如果当前没有事务,就新建一个事务,如果已经存在一个事务中,加入到这个事务中。一般的选择(默认值)
SUPPORTS
支持当前事务,如果当前没有事务,就以非事务方式执行(没有事务)
MANDATORY
使用当前的事务,如果当前没有事务,就抛出异常
REQUERS_NEW
新建事务,如果当前在事务中,把当前事务挂起。
NOT_SUPPORTED
以非事务方式执行操作,如果当前存在事务,就把当前事务挂起
NEVER
以非事务方式运行,如果当前存在事务,抛出异常
NESTED
如果当前存在事务,则在嵌套事务内执行。如果当前没有事务,则执行 REQUIRED 类似的操作
超时时间
默认值是-1,没有超时限制。如果有,以秒为单位进行设置
是否只读
建议查询时设置为只读
TransactionStatus
TransactionStatus 接口提供的是事务具体的运行状态
方法
boolean hasSavepoint()
是否存储回滚点
boolean isCompleted()
事务是否完成
boolean isNewTransaction()
是否是新事务
boolean isRollbackOnly()
事务是否回滚
基于XML的声明式事务控制
什么是声明式事务控制
Spring 的声明式事务顾名思义就是采用声明的方式来处理事务。这里所说的声明,就是指在配置文件中声明 ,用在 Spring 配置文件中声明式的处理事务来代替代码式的处理事务。
声明式事务处理的作用
事务管理不侵入开发的组件。具体来说,业务逻辑对象就不会意识到正在事务管理之中,事实上也应该如 此,因为事务管理是属于系统层面的服务,而不是业务逻辑的一部分,如果想要改变事务管理策划的话, 也只需要在定义文件中重新配置即可
在不需要事务管理的时候,只要在设定文件上修改一下,即可移去事务管理服务,无需改变代码重新编译 ,这样维护起来极其方便
Spring声明式事物控制底层就是AOP
声明式事务控制的实现
引入tx命名空间
<beans xmlns:tx="http://www.springframework.org/schema/tx"
xsi :sc hem aLo cat ion ="
http://www.springframework.org/schema/tx
http://www. springframework.org/schema/tx/spring-tx.xsd
xsi :sc hem aLo cat ion ="
http://www.springframework.org/schema/tx
http://www. springframework.org/schema/tx/spring-tx.xsd
配置事务增强
<!--平台事务管理器-->
<bean id="transactionManager" class="org.springframework.jdbc.datasource.DataSourceTransactionManager">
<property name="dataSource" ref="dataSource"></property> </bean>
<!--事务增强配置-->
<tx:advice id="txAdvice" transaction-manager="transactionManager">
<tx:attributes> <tx:method name="*"/>
</tx:attributes> </tx:advice>
<bean id="transactionManager" class="org.springframework.jdbc.datasource.DataSourceTransactionManager">
<property name="dataSource" ref="dataSource"></property> </bean>
<!--事务增强配置-->
<tx:advice id="txAdvice" transaction-manager="transactionManager">
<tx:attributes> <tx:method name="*"/>
</tx:attributes> </tx:advice>
配置事务 AOP 织入
<!--事务的aop增强--> <aop:config>
<aop:pointcut id="myPointcut" expression="execution(* com.itheima.service.impl.*.*(..))"/>
<aop:advisor advice-ref="txAdvice" pointcut-ref="myPointcut"></aop:advisor> </aop:config>
<aop:pointcut id="myPointcut" expression="execution(* com.itheima.service.impl.*.*(..))"/>
<aop:advisor advice-ref="txAdvice" pointcut-ref="myPointcut"></aop:advisor> </aop:config>
切点方法的事务参数的配置
<!--事务增强配置-->
<tx:advice id="txAdvice" transaction-manager="transactionManager">
<tx:attributes> <tx:method name="*"/>
</tx:attributes> </tx:advice>
<tx:advice id="txAdvice" transaction-manager="transactionManager">
<tx:attributes> <tx:method name="*"/>
</tx:attributes> </tx:advice>
其中,<tx:method> 代表切点方法的事务参数的配置,例如:
<tx:method name="transfer" isolation="REPEATABLE_READ" propagation="REQUIRED" timeout="-1" read-only="false"/>
<tx:method name="transfer" isolation="REPEATABLE_READ" propagation="REQUIRED" timeout="-1" read-only="false"/>
name:切点方法名称
isolation:事务的隔离级别
propogation:事务的传播行为
timeout:超时时间
read-only:是否只读
isolation:事务的隔离级别
propogation:事务的传播行为
timeout:超时时间
read-only:是否只读
基于注解的声明式事务控制
使用注解配置声明式事务控制
编写 AccoutDao
@Repository("accountDao")
public class AccountDaoImpl implements AccountDao {
@Autowired
private JdbcTemplate jdbcTemplate;
public void out(String outMan, double money) {
jdbcTemplate.update("update account set money=money-? where name=?",money,outMan);
}
public void in(String inMan, double money) {
jdbcTemplate.update("update account set money=money+? where name=?",money,inMan);
} }
public class AccountDaoImpl implements AccountDao {
@Autowired
private JdbcTemplate jdbcTemplate;
public void out(String outMan, double money) {
jdbcTemplate.update("update account set money=money-? where name=?",money,outMan);
}
public void in(String inMan, double money) {
jdbcTemplate.update("update account set money=money+? where name=?",money,inMan);
} }
编写 AccoutService
@Service("accountService")
@Transactional
public class AccountServiceImpl implements AccountService {
@Autowired
private AccountDao accountDao;
@Transactional(isolation = Isolation.READ_COMMITTED,propagation = Propagation.REQUIRED)
public void transfer(String outMan, String inMan, double money) { accountDao.out(outMan,money);
int i = 1/0;
accountDao.in(inMan,money);
} }
@Transactional
public class AccountServiceImpl implements AccountService {
@Autowired
private AccountDao accountDao;
@Transactional(isolation = Isolation.READ_COMMITTED,propagation = Propagation.REQUIRED)
public void transfer(String outMan, String inMan, double money) { accountDao.out(outMan,money);
int i = 1/0;
accountDao.in(inMan,money);
} }
编写 applicationContext.xml 配置文件
<!--组件扫描-->
<context:component-scan base-package="com.itheima"/> <!--事务的注解驱动-->
<tx:annotation-driven/>
<context:component-scan base-package="com.itheima"/> <!--事务的注解驱动-->
<tx:annotation-driven/>
注解配置声明式事务控制解析
使用 @Transactional 在需要进行事务控制的类或是方法上修饰,注解可用的属性同 xml 配置方式,例如隔离 级别、传播行为等。
注解使用在类上,那么该类下的所有 方法都 使用同 一套注 解参数 配置。
使用在方法上,不同的方法可以采用 不同的 事务参 数配置 。
Xml配置文件中要开启事务的注解驱动<tx:annotation-driven />
0 条评论
下一页