Spring MVC 轉發和重定向

星夜孤帆發表於2020-12-05

一、結果跳轉方式

1.1 ModelAndView

設定ModelAndView物件,根據view的名稱,和檢視解析器跳到指定的頁面。

頁面:{檢視解析器字首} + viewName + {檢視解析器字尾}

<!-- 檢視解析器 -->
<bean class="org.springframework.web.servlet.view.InternalResourceViewResolver"
     id="internalResourceViewResolver">
   <!-- 字首 -->
   <property name="prefix" value="/WEB-INF/jsp/" />
   <!-- 字尾 -->
   <property name="suffix" value=".jsp" />
</bean>

對應的controller類

public class ControllerTest1 implements Controller {

   public ModelAndView handleRequest(HttpServletRequest httpServletRequest, HttpServletResponse httpServletResponse) throws Exception {
       //返回一個模型檢視物件
       ModelAndView mv = new ModelAndView();
       mv.addObject("msg","ControllerTest1");
       mv.setViewName("test");
       return mv;
  }
}

獲取session

@Controller
public class ModelTest1 {

    @RequestMapping("/m1/t1")
    public String test1(HttpServletRequest request, HttpServletResponse response) {
        HttpSession session = request.getSession();
        System.out.println(session.getId());
        return "test";
    }
}

1.2 ServletApi

通過設定ServletAPI,不需要檢視解析器

1. 通過HttpServletResponse進行輸出

2. 通過HttpServletResponse實現重定向

3. 通過HttpServletResponse實現轉發

@Controller
public class ResultGo {

    //輸出
    @RequestMapping("/result/t1")
    public void test1(HttpServletRequest req, HttpServletResponse resp) throws IOException {
        resp.getWriter().println("hello");
    }

    //重定向
    @RequestMapping("/result/t2")
    public void test2(HttpServletRequest req, HttpServletResponse resp) throws IOException {
        resp.sendRedirect("/index.jsp");
    }

    //轉發
    @RequestMapping("/result/t3")
    public void test3(HttpServletRequest req, HttpServletResponse resp) throws Exception {
        req.setAttribute("msg", "/result/t3");
        req.getRequestDispatcher("/WEB-INF/jsp/test.jsp").forward(req, resp);
    }
}

1.3 SpringMVC

1.3.1 無需檢視解析器

通過SpringMVC來實現轉發和重定向-無需檢視解析器

測試前,需要將檢視解析器註釋掉

@Controller
public class ResultSpringMVC {

    @RequestMapping("rsm/t1")
    public String test1() {
        //轉發一
        return "WEB-INF/jsp/test.jsp";
    }

    @RequestMapping("/rsm/t2")
    public String test2() {
        //轉發二
        return "forward:/index.jsp";
    }

    @RequestMapping("/rsm/t3")
    public String test3() {
        //重定向
        return "redirect:/index.jsp";
    }
}

轉發一

注意:不加檢視解析器和forward,須帶上WEB-INF路徑寫全

轉發二

轉發,位址列不會改變

重定向

重定向位址列會改變

1.3.2 有檢視解析器

重定向,不需要檢視解析器,本質就是重新請求一個新地方,所以注意路徑問題。可以重定向到另外一個請求實現

有檢視解析器,返回引數預設就是轉發

@Controller
public class ResultSpringMVC2 {
   @RequestMapping("/rsm2/t1")
   public String test1(){
       //轉發
       return "test";
  }

   @RequestMapping("/rsm2/t2")
   public String test2(){
       //重定向
       return "redirect:/index.jsp";
       //return "redirect:hello.do"; //hello.do為另一個請求/
  }

}

參考視訊教程原始碼

相關文章