美文网首页
SpringMVC快速入门

SpringMVC快速入门

作者: 伍陆柒_ | 来源:发表于2018-09-04 11:01 被阅读0次

什么是Spring MVC?
Spring MVC 为展现层提供的基于 MVC 设计理念的优秀的Web 框架,是目前最主流的 MVC 框架之一。
Spring3.0 后全面超越 Struts2,成为最优秀的 MVC 框架。

导入jar包
我们基于Spring mvc框架进行开发,需要依赖一下的spring jar包:
在WEB-INF目录下新建lib文件夹,并将上面的jar包放入其中。
配置文件web.xml(WEB-INF下)

<?xml version="1.0" encoding="UTF-8"?>
<web-app xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" 
xmlns="http://xmlns.jcp.org/xml/ns/javaee" 
xsi:schemaLocation="http://xmlns.jcp.org/xml/ns/javaee http://xmlns.jcp.org/xml/ns/javaee/web-app_3_1.xsd" 
id="WebApp_ID" version="3.1"> 
    <!-- 配置DispatchcerServlet前端控制器,请求集合点 -->
    <servlet>
        <servlet-name>springDispatcherServlet</servlet-name>
         <servlet-class>org.springframework.web.servlet.DispatcherServlet</servlet-class>
         <!-- 配置Spring mvc下的配置文件的位置和名称 -->
         <init-param>
             <param-name>contextConfigLocation</param-name>
             <param-value>classpath:springmvc.xml</param-value>
         </init-param>
         <load-on-startup>1</load-on-startup>
     </servlet>
     <servlet-mapping>
         <servlet-name>springDispatcherServlet</servlet-name>
         <url-pattern>/</url-pattern>
     </servlet-mapping>
</web-app>

注意: <param-value>classpath:springmvc.xml</param-value>用于配置spring mvc的配置文件的位置和名称,这里说明会新建一个springmvc.xml的配置文件。

这里的servlet-mapping表示拦截的模式,这里是“/”,表示对于非jsp请求进行拦截。

Springmvc.xml(scr下)
在src目录下新建springmvc.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:context="http://www.springframework.org/schema/context"
     xmlns:mvc="http://www.springframework.org/schema/mvc"
     xsi:schemaLocation="http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans.xsd
        http://www.springframework.org/schema/context http://www.springframework.org/schema/context/spring-context-4.0.xsd
        http://www.springframework.org/schema/mvc http://www.springframework.org/schema/mvc/spring-mvc-4.0.xsd">
        <!-- 配置自动扫描的包 -->
        <context:component-scan base-package="com.neusoft.controller"></context:component-scan>
        <!-- 配置视图解析器 如何把handler 方法返回值解析为实际的物理视图 -->
        <bean class="org.springframework.web.servlet.view.InternalResourceViewResolver">
            <property name = "prefix" value="/WEB-INF/views/"></property>
            <property name = "suffix" value = ".jsp"></property>
        </bean>
</beans>

<context:component-scan base-package="com.neusoft.controller"></context:component-scan>
表示spring监听的范围,这里是在com.neusoft.controller下

HelloWorldController.java(com.neusoft.controller下)

package com.neusoft.springmvc;
import org.springframework.stereotype.Controller;
import org.springframework.web.bind.annotation.RequestMapping;
@Controller
public class HelloWorldController {
     /**
      * 1. 使用RequestMapping注解来映射请求的URL
      * 2. 返回值会通过视图解析器解析为实际的物理视图, 对于InternalResourceViewResolver视图解析器,会做如下解析
      * 通过prefix+returnVal+suffix 这样的方式得到实际的物理视图,然后会转发操作
      * "/WEB-INF/views/success.jsp"
      * @return
      */
     @RequestMapping("/helloworld")
     public String hello(){
         System.out.println("hello world");
         return "success";
     }
}

1.首先要在类的前面添加“Controller”注解,表示是spring的控制器,这里会写一个方法hello()

2.hello方法上方有一个@RequestMapping, 是用于匹配请求的路径,比如这里匹配的请求路径就是“http://localhost:8080/helloworld”,即当tomcat服务启动后,在浏览器输入这个url时,如果在这个方法打断点了,就会跳入该方法。

3.这个return的结果不是乱写的,这个返回的字符串就是与上面springmvc.xml中进行配合的,springmvc.xml中声明了prefix和suffix,而夹在这两者之间的就是这里返回的字符串,所以执行完这个方法后,我们可以得到这样的请求资源路径“/WEB-INF/views/success.jsp”,这个success.jsp是需要我们新建的

index.jsp(WebContent下)

在新建success.jsp之前,我们需要有一个入口,也就是这里的index.jsp

<%@ page language="java" contentType="text/html; charset=ISO-8859-1"
    pageEncoding="ISO-8859-1"%>
<!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd">
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=ISO-8859-1">
<title>Insert title here</title>
</head>
<body>
    <a href="helloworld">hello world</a>
</body>
</html>

当访问index.jsp时,页面上会展示一个超链接,点击超链后,url中的地址就会发生跳转,由“http://localhost:8080/springTest/index.jsp”跳转到“http://localhost:8080/springTest/helloworld”,而这个url请求就会进入HelloWorld中的hello方法,因为其与该方法上的“/helloworld”匹配。

success.jsp(WEB-INF/views下)

该页面是作为请求成功后的相应页面

<%@ page language="java" contentType="text/html; charset=ISO-8859-1"
    pageEncoding="ISO-8859-1"%>
<!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd">
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=ISO-8859-1">
<title>Insert title here</title>
</head>
<body>
    <h4>Success Page</h4>
</body>
</html>

Controller方法的返回值

可以有以下几种:
1、返回ModelAndView
返回ModelAndView时最常见的一种返回结果。需要在方法结束的时候定义一个ModelAndView对象,并对Model和View分别进行设置。

@Controller
public class HelloWorldController {
    @RequestMapping("/helloworld")
    public String hello(){
        System.out.println("hello world");
        return "success";
    }
    @RequestMapping("/abc")
    public ModelAndView abc(){
        // 相当于request.setAttribute及请求转发
        ModelAndView modelAndView = new ModelAndView();
        modelAndView.addObject("username","zhangsan");
        modelAndView.setViewName("success");
        return modelAndView;
    }
}
<%@ page contentType="text/html;charset=UTF-8" language="java" %>
<html>
<head>
    <title>Title</title>
</head>
<body>
      ${username}
</body>
</html>

2、返回String

1):字符串代表逻辑视图名(默认做的是请求转发)

真实的访问路径=“前缀”+逻辑视图名+“后缀”

注意:如果返回的String代表逻辑视图名的话,那么Model的返回方式如下:

    @RequestMapping("/helloworld")
    public String hello(Model model){
        model.addAttribute("username","zhangsan");
        System.out.println("hello world");
        return "success";
    }

2):代表redirect重定向(不走视图解析器)

redirect的特点和servlet一样,使用redirect进行重定向那么地址栏中的URL会发生变化,同时不会携带上一次的request

案例:

@Controller
public class HelloWorldController {
    @RequestMapping("/helloworld")
    public String hello(Model model){
        model.addAttribute("username","zhangsan");
        System.out.println("hello world");
        return "success";
    }
    @RequestMapping("/abc")
    public ModelAndView abc(){
        ModelAndView modelAndView = new ModelAndView();
        modelAndView.addObject("username","zhangsan");
        modelAndView.setViewName("success");
        return modelAndView;
    }
    @RequestMapping("/redirect")
    public String redirect(){
          return "redirect:login.do";
    }
}

3):代表forward转发

通过forward进行转发,地址栏中的URL不会发生改变,同时会将上一次的request携带到写一次请求中去

案例:

@Controller
public class HelloWorldController {
    @RequestMapping("/helloworld")
    public String hello(Model model){
        model.addAttribute("username","zhangsan");
        System.out.println("hello world");
        return "success";
    }
    @RequestMapping("/abc")
    public ModelAndView abc(){
        ModelAndView modelAndView = new ModelAndView();
        modelAndView.addObject("username","zhangsan");
        modelAndView.setViewName("success");
        return modelAndView;
    }

    @RequestMapping("/redirect")
    public String redirect(){
          return "forward:login";
    }
}

3、返回void

返回这种结果的时候可以在Controller方法的形参中定义HTTPServletRequest和HTTPServletResponse对象进行请求的接收和响应

1)使用request转发页面
request.getRequestDispatcher("转发路径").forward(request,response);

2)使用response进行页面重定向
response.sendRedirect("重定向路径");

3)也可以使用response指定响应结果
response.setCharacterEncoding("UTF-8");
response.setContentType("application/json;charset=utf-8");
response.getWriter().println("json串");

    @RequestMapping("/returnvoid.do")
    public void returnvoid(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
//        request.getRequestDispatcher("转发路径").forward(request,response);
//        response.sendRedirect("重定向路径");
        response.setCharacterEncoding("UTF-8");
        response.setContentType("application/json;charset=utf-8");
        response.getWriter().println("json串");
    }

以上三种返回值没有什么重要和不重要的分别,一般来说都会使用到, 只不过有的时候使用的方式会有一些细微的差别

SpringMVC的各种参数绑定方式

1.基本数据类型(以int为例,其他类似):
Controller代码:

@RequestMapping("saysth.do")
    public void test(int count) {
}

表单代码:

<form action="saysth.do" method="post">
    <input name="count" value="10" type="text"/>
</form>

表单中input的name值和Controller的参数变量名保持一致,就能完成数据绑定,如果不一致可以使用@RequestParam注解。需要注意的是,如果Controller方法参数中定义的是基本数据类型,但是从页面提交过来的数据为null的话,会出现数据转换的异常。也就是必须保证表单传递过来的数据不能为null。所以,在开发过程中,对可能为空的数据,最好将参数数据类型定义成包装类型,具体参见下面的例子。

2.包装类型(以Integer为例,其他类似):
Controller代码:

@RequestMapping("saysth")
    public void test(Integer count) {
}

表单代码:

<form action="saysth.do" method="post">
      <input name="count" value="10" type="text"/>
</form>

和基本数据类型基本一样,不同之处在于,表单传递过来的数据可以为null,以上面代码为例,如果表单中count为null或者表单中无count这个input,那么,Controller方法参数中的count值则为null。

3.自定义对象类型:
Model代码:

public class User {
    private String firstName;
    private String lastName;

    public String getFirstName() {
        return firstName;
    }

    public void setFirstName(String firstName) {
        this.firstName = firstName;
    }

    public String getLastName() {
        return lastName;
    }

    public void setLastName(String lastName) {
        this.lastName = lastName;
    }
}

Controller代码:

@RequestMapping("saysth.do")
public void test(User user) {

}

表单代码:

<form action="saysth.do" method="post">
<input name="firstName" value="张" type="text"/>
<input name="lastName" value="三" type="text"/>
......
</form>

非常简单,只需将对象的属性名和input的name值一一匹配即可。

解决乱码问题(也可以使用自己的过滤器)

web.xml里加入过滤器

    <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>
        <init-param>
            <param-name>forceEncoding</param-name>
            <param-value>true</param-value>
        </init-param>
    </filter>
    <filter-mapping>
        <filter-name>characterEncodingFilter</filter-name>
        <url-pattern>/*</url-pattern>
    </filter-mapping>

RESTful架构

RESTful架构,就是目前最流行的一种互联网软件架构。它结构清晰、符合标准、易于理解、扩展方便,所以正得到越来越多网站的采用。RESTful(即Representational State Transfer的缩写)其实是一个开发理念,是对http的很好的诠释。
对url进行规范,写RESTful格式的url

非REST的url:http://...../detail?articleid=001

REST的url风格:http://..../detail/001

特点:url简洁,将参数通过url传到服务端
修改web.xml,添加DispatcherServlet的Restful配置

<servlet>
          <servlet-name>springmvc-servlet-rest</servlet-name>
               <servlet-class>org.springframework.web.servlet.DispatcherServlet</servlet-class>
               <init-param>
                   <param-name>contextConfigLocation</param-name>
                   <param-value>classpath:spring/springmvc.xml</param-value>
               </init-param>
           </servlet>
           <servlet-mapping>
                <servlet-name>springmvc-servlet-rest</servlet-name>
                <url-pattern>/</url-pattern>
           </servlet-mapping>
<servlet>

<url-pattern>/</url-pattern>表明所有url模式为/

URL 模板模式映射

@RequestMapping(value="/ viewItems/{id}")
{×××}占位符,请求的URL可以是“/viewItems/1”或“/viewItems/2”,通过在方法中使用@PathVariable获取{×××}中的×××变量。@PathVariable用于将请求URL中的模板变量映射到功能处理方法的参数上。

  @RequestMapping("/viewItems/{id}") 
  public @ResponseBody viewItems(@PathVariable("id") String id) throws Exception{    

  }

如果RequestMapping中表示为"/viewItems/{id}",id和形参名称一致,@PathVariable不用指定名称。

  @RequestMapping("/viewItems/{id}") 
  public @ResponseBody viewItems(@PathVariable String id) throws Exception{
     
  }

多个参数

@Controller  
@RequestMapping("/person") 
public class PersonAction{     
    @RequestMapping(value="/delete/{id}/{name}")
    public String delete(@PathVariable Integer id,@PathVariable String name){
        System.out.println(id + "   " + name) ;
        return "person";
    }
}  

静态资源访问<mvc:resources>

如果在DispatcherServlet中设置url-pattern为 /则必须对静态资源进行访问处理,否则对css,js等文件的请求会被DispatcherServlet拦截。

spring mvc 的<mvc:resources mapping="" location="">实现对静态资源进行映射访问。告诉springmvc框架,描述的静态资源,无须DispatcherServlet拦截,以及查询的目录。

如下是对css和js文件访问配置:

  <mvc:annotation-driven></mvc:annotation-driven>
  <!-- location指的是路径形式,mapping指具体资源,**表示当前目录文件以及子文件夹文件 -->
  <mvc:resources location="/js/" mapping="/js/**"/>
  <mvc:resources location="/css/" mapping="/css/**"/>

上传图片

在页面form中提交enctype="multipart/form-data"的数据时,需要springmvc对multipart类型的数据进行解析。

在springmvc.xml中配置multipart类型解析器。

<!-- 文件上传 -->
<bean id="multipartResolver" class="org.springframework.web.multipart.commons.CommonsMultipartResolver">
    <property name="maxUploadSize" value="80000"></property>
    <property name="defaultEncoding" value="UTF-8"></property>
</bean>

上传图片代码
页面

<%@ page contentType="text/html;charset=UTF-8" language="java" %>
<html>
<head>
    <title>Title</title>
</head>
<body>
<form action="upload.do" method="post" enctype="multipart/form-data">
    <h2>文件上传</h2>
    文件:<input type="file" name="file1"/><br/><br/>
    用户名:<input type="text" name="username">
    <br/><br/>
    图片:<img src="${imgpath}"/><br/><br/>
    <input type="submit" value="上传"/>
</form>
</body>
</html>

controller方法

@Controller
public class uploadController {
   @RequestMapping("/upload.do")
   public void doUpload(@RequestParam MultipartFile file1, HttpServletRequest request) throws IOException {

       String strName = request.getParameter("username");
       System.out.println(strName);
       if(file1.isEmpty()){
         System.out.println("文件未上传!");
       }
       else {
         //得到上传的文件名
         String fileName = file1.getOriginalFilename();
         //得到服务器项目发布运行所在地址
         String strFolder = request.getServletContext().getRealPath("/image")+ File.separator;
         File folder = new File(strFolder);
         if(!folder.exists())
         {
             folder.mkdir();
         }
         //  此处未使用UUID来生成唯一标识,用日期做为标识
         String strNewFilePath = new SimpleDateFormat("yyyyMMddHHmmss").format(new Date())+ fileName;
         String strFinalPath = strFolder + strNewFilePath;
         //查看文件上传路径,方便查找
         System.out.println(strFinalPath);
         //把文件上传至path的路径
         File localFile = new File(strFinalPath);
         file1.transferTo(localFile);
         request.getSession().setAttribute("imgpath", "image"+ File.separator+strNewFilePath);
         }
     }
}

拦截器

拦截器是用来动态拦截 action 调用的对象。它提供了一种机制可以使开发者可以定义在一个 action 执行的前后执行的代码,也可以在一个 action 执行前阻止其执行,同时也提供了一种可以提取 action 中可重用部分的方式

image.png

HandlerInterceptor概述

在SpringMVC 中定义一个Interceptor是比较非常简单,实现HandlerInterceptor接口。
HandlerInterceptor接口主要定义了三个方法:
1.boolean preHandle (HttpServletRequest request, HttpServletResponse response, Object handle)方法:该方法将在请求处理之前进行调用,只有该方法返回true,才会继续执行后续的Interceptor和Controller,当返回值为true 时就会继续调用下一个Interceptor的preHandle 方法,如果已经是最后一个Interceptor的时候就会是调用当前请求的Controller方法;

2.void postHandle (HttpServletRequest request, HttpServletResponse response, Object handle, ModelAndView modelAndView)方法:该方法将在请求处理之后,DispatcherServlet进行视图返回渲染之前进行调用,可以在这个方法中对Controller 处理之后的ModelAndView 对象进行操作。

3.void afterCompletion(HttpServletRequest request, HttpServletResponse response, Object handle, Exception ex)方法:该方法也是需要当前对应的Interceptor的preHandle方法的返回值为true时才会执行,该方法将在整个请求结束之后,也就是在DispatcherServlet 渲染了对应的视图之后执行。用于进行资源清理。

简单的一个例子:

xml需要配置:两种配置方式(对所有的请求记性拦截,对特定的请求进行拦截)

     <!-- 拦截器 -->
     <mvc:interceptors>
        <mvc:interceptor>
             <mvc:mapping path="/page/add" />
             <bean class="com.neuedu.interceptor.CheckInterceptor"></bean>
        </mvc:interceptor>
     </mvc:interceptors>

interceptors类

package com.neuedu.interceptor;

import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;

import org.springframework.web.servlet.HandlerInterceptor;
import org.springframework.web.servlet.ModelAndView;

public class CheckInterceptor implements HandlerInterceptor{
    @Override
    public boolean preHandle(HttpServletRequest request, HttpServletResponse response, Object handler)
            throws Exception {
        if(request.getSession().getAttribute("login_user") == null) {
            request.getRequestDispatcher("/WEB-INF/jsp/user/login.jsp").forward(request, response);
            return false;
        }else {
            return true;
        }
    }
    @Override
    public void postHandle(HttpServletRequest request, HttpServletResponse response, Object handler,
            ModelAndView modelAndView) throws Exception {
        System.out.println(456);
    }
    @Override
    public void afterCompletion(HttpServletRequest request, HttpServletResponse response, Object handler, Exception ex)
            throws Exception {
        System.out.println(789);
    }
}

拦截器无法拦截jsp

相关文章

  • 01-撩课-SpringMVC快速入门程序

    springMVC概述 Springmvc简单处理流程 快速入门程序 1.创建web工程2.导入springMVC...

  • 快速入门SpringMVC

    体系概述 注解驱动的控制器 处理方法的数据绑定 视图和视图解析器 本地化解析 文件上传 webSocket支持 杂...

  • SpringMVC快速入门

    什么是MVC设计模式? Controller:负责接收并处理请求,响应客户端。 Model:模型数据,业务逻辑。 ...

  • SpringMVC快速入门

    什么是Spring MVC?Spring MVC 为展现层提供的基于 MVC 设计理念的优秀的Web 框架,是目前...

  • SpringMVC快速入门

    一、概述 SpringMVC属于Spring Framework的后续产品,已经融合到Spring Web Flo...

  • SpringMVC快速入门

    1.快速入门 步骤:1) 建立项目2) 导入springioc,springweb相关jar包3) 在/WEB-I...

  • SpringMVC 快速入门

    什么是Spring MVC?Spring MVC 为展现层提供的基于 MVC 设计理念的优秀的Web 框架,是目前...

  • SpringMVC快速入门

    创建Maven工程 使用IDE创建一个Maven Project,选择Archetype时选择maven-arch...

  • 一、SpringMVC快速入门

    第一个Demo index.jsp 前端控制器web.xml springmvc.xml配置文件 控制器Hande...

  • SpringMVC快速入门详解

    简介 SpringMVC是一种基于Java实现MVC模型的轻量级Web框架。具有如下优点: 使用简单,开发便捷(相...

网友评论

      本文标题:SpringMVC快速入门

      本文链接:https://www.haomeiwen.com/subject/wccgwftx.html