美文网首页
2019-05-27SpringMVC入门

2019-05-27SpringMVC入门

作者: 果冻_4c9b | 来源:发表于2019-05-27 19:57 被阅读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请求进行拦截。

spring.xml(resources文件夹中)

<?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.guodong.web"></context:component-scan>
<!--    视图资源解析器-->
    <bean class="org.springframework.web.servlet.view.InternalResourceViewResolver">
        <property name = "prefix" value="/WEB-INF/jsp/"></property>
        <property name = "suffix" value = ".jsp"></property>
    </bean>
<!--    放行静态文件-->
    <mvc:annotation-driven></mvc:annotation-driven>
    <mvc:resources location="/js/" mapping="/js/**"/>
</beans>

<context:component-scan base-package="com.guodong.web"></context:component-scan>表示spring监听范围,在这是com.guodong.web包下

com.guodong.web包下

package com.guodong.web;
import com.guodong.pojo.Student;
import org.springframework.stereotype.Controller;
import org.springframework.web.bind.annotation.*;

@Controller
@RequestMapping("/user")
public class HelloController {
//不分get请求和post
    @RequestMapping(value = "/login1")
    public  void  hello(){
        System.out.println("hello 456");
    }
//接get请求  (method = RequestMethod.GET用于规定什么请求)
@RequestMapping(value = "/login",method = RequestMethod.GET)
    public  void  hello1(){
    System.out.println("hello 123");
}
//接get请求
//    @GetMapping("/reg")
// 参数必须与jsp页面的请求参数一致
//    public  void  hello2(String username){
//        System.out.println(username);
//    }
//    接post请求
//    @PostMapping("/reg")
//@RequestParam("username")  中的参数与jsp页面的要一致
//    public  void  hello3(@RequestParam("username") String name){
//        System.out.println(name);
//    }
// Student 实体类定义的变量要与jsp请求的要一致
//    @GetMapping("/reg")
//    public  void  hello4(Student student){
//    System.out.println(student.getUserName()+","+student.getPassword());
//    }
}

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

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

Controller方法的返回值

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

2、返回String
1):字符串代表逻辑视图名(默认做的是请求转发)
真实的访问路径=“前缀”+逻辑视图名+“后缀”
注意:如果返回的String代表逻辑视图名的话,那么Model的返回方式如下:
2):代表redirect重定向(不走视图解析器)
redirect的特点和servlet一样,使用redirect进行重定向那么地址栏中的URL会发生变化,同时不会携带上一次的request
3):代表forward转发
通过forward进行转发,地址栏中的URL不会发生改变,同时会将上一次的request携带到写一次请求中去

package com.guodong.web;

import com.alibaba.fastjson.JSON;
import com.guodong.pojo.Student;
import org.springframework.stereotype.Controller;
import org.springframework.ui.Model;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RequestParam;
import org.springframework.web.bind.annotation.ResponseBody;
import org.springframework.web.servlet.ModelAndView;

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

@Controller
@RequestMapping("/go")
public class HelloController2 {
    /*
     * 返回值类型
     * void --相应的ajax,response.getWriter.println();
     * String --可以请求转发和重定向 Model相当于request
     * ModelAndView 只能用于请求转发
     * */
  /**
      * 1. 使用RequestMapping注解来映射请求的URL
      * 2. 返回值会通过视图解析器解析为实际的物理视图, 对于InternalResourceViewResolver视图解析器,会做如下解析
      * 通过prefix+returnVal+suffix 这样的方式得到实际的物理视图,然后会转发操作
      * "/WEB-INF/jsp/success.jsp"
      * @return
      */
//    @RequestMapping("/login")
//    public  String  hello1(Student student, Model model) {
//        if (student.getUserName().equals("mike")&&student.getPassword().equals("123")) {
//            model.addAttribute("userinfo",student.getUserName());
//            return "success";
//        } else {
//           return "fail";
//        }
//    }
//    @RequestMapping("/login")
//    public  ModelAndView  hello1(Student student) {
//        ModelAndView modelAndView= new ModelAndView();
//        if (student.getUserName().equals("mike")&&student.getPassword().equals("123")) {
//            modelAndView.addObject("userinfo",student.getUserName());
//            modelAndView.setViewName("success");
//        } else {
//             modelAndView.setViewName("fail");
//        }
//        return modelAndView;
//    }
    //    fastjson
    @RequestMapping("/serch")
    @ResponseBody
    public Student hello1(@RequestParam("name") String name) {
        Student student = new Student();
        if (name.equals("mike")) {
            student.setUsername("mike");
            student.setPassword("123456");
        } else {
            student.setUsername("tom");
            student.setPassword("666666");
        }
        return student;
    }
}

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

index.jsp(发送请求的页面)

<%@ page contentType="text/html;charset=UTF-8" language="java" %>
<html>
<head>
<script src="${pageContext.request.contextPath}/js/jquery.js"></script>
    <script>
        $(function () {
            $("#btn").click(function () {
                $.get(
                    "${pageContext.request.contextPath}/go/serch",
                    {
                        "name":"mike"
                    },
                    function (res) {
                        alert(res.username+","+res.password);
                    },
                    "json"
                )
            })

        })
        
    </script>
</head>
<body>
<h2>表单一</h2>
<form action="${pageContext.request.contextPath}/go/login"  method="get">
    <input type="text" name="username" placeholder="username">
    <input type="password" name="password" placeholder="password">
    <button>提交</button>
</form>
<button id="btn" type="button">显示</button>
</body>
</html>

  • 完成SpringMVC所需要的一些依赖
<dependency>
      <groupId>junit</groupId>
      <artifactId>junit</artifactId>
      <version>4.11</version>
      <scope>test</scope>
    </dependency>
      <dependency>
          <groupId>org.junit.jupiter</groupId>
          <artifactId>junit-jupiter-api</artifactId>
          <version>RELEASE</version>
          <scope>compile</scope>
      </dependency>
    <!-- spring相关 -->
    <dependency>
      <groupId>org.springframework</groupId>
      <artifactId>spring-web</artifactId>
      <version>${springFramework.version}</version>
    </dependency>
    <dependency>
      <groupId>org.springframework</groupId>
      <artifactId>spring-webmvc</artifactId>
      <version>${springFramework.version}</version>
    </dependency>
    <dependency>
      <groupId>org.springframework</groupId>
      <artifactId>spring-context</artifactId>
      <version>${springFramework.version}</version>
    </dependency>
    <dependency>
      <groupId>org.springframework</groupId>
      <artifactId>spring-jdbc</artifactId>
      <version>${springFramework.version}</version>
    </dependency>
    <dependency>
      <groupId>org.springframework</groupId>
      <artifactId>spring-test</artifactId>
      <version>${springFramework.version}</version>
    </dependency>
    <!-- log4j -->
    <dependency>
      <groupId>org.zenframework.z8.dependencies.commons</groupId>
      <artifactId>log4j-1.2.17</artifactId>
      <version>2.0</version>
    </dependency>
    <dependency>
      <groupId>commons-logging</groupId>
      <artifactId>commons-logging-api</artifactId>
      <version>1.1</version>
    </dependency>
    <dependency>
      <groupId>com.alibaba</groupId>
      <artifactId>fastjson</artifactId>
      <version>1.2.47</version>
    </dependency>
      <dependency>
          <groupId>com.fasterxml.jackson.core</groupId>
          <artifactId>jackson-databind</artifactId>
          <version>2.9.8</version>
      </dependency>
      <!-- https://mvnrepository.com/artifact/com.fasterxml.jackson.core/jackson-core -->
      <dependency>
          <groupId>com.fasterxml.jackson.core</groupId>
          <artifactId>jackson-core</artifactId>
          <version>2.9.8</version>
      </dependency>
      <!-- https://mvnrepository.com/artifact/com.fasterxml.jackson.core/jackson-annotations -->
      <dependency>
          <groupId>com.fasterxml.jackson.core</groupId>
          <artifactId>jackson-annotations</artifactId>
          <version>2.9.8</version>
      </dependency>

解决乱码

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>

upload.jsp

<%@ page contentType="text/html;charset=UTF-8" language="java" %>
<html>
<head>
    <title>Title</title>
</head>
<body>
<form action="${pageContext.request.contextPath}/go/upload" method="post" enctype="multipart/form-data">
    <p><input type="text" name="username"></p>
    <p><input type="file" name="file"></p>
    <p><button>提交</button></p>
</form>
</body>
</html>

controller方法


@RestController
@RequestMapping("/go")
public class HelloController2 {
    @RequestMapping("/upload")
    public void hello3(String username, MultipartFile file, HttpServletRequest request) throws IOException {
        if (file.isEmpty()) {
            System.out.println("未上传文件");
        } else {
            String fileName = file.getOriginalFilename();
            //指定保存路径
            String strPath = request.getServletContext().getRealPath("/image");
            File dir = new File(strPath);
            if (!dir.exists()) {
                dir.mkdirs();
            }
            //给文件起新名字,保证不重名
            UUID random = UUID.randomUUID();
            String newFileName = random + fileName;
            //最终的文件路径+名称
            String savePath = strPath + File.separator + newFileName;
            //封装上传
            File finalPath = new File(savePath);
            file.transferTo(finalPath);
        }
    }
}

参考

相关文章

网友评论

      本文标题:2019-05-27SpringMVC入门

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