SpringMVC跳转和URL相关问题

image.png

搞明白了url相对路径,根路径的问题,跳转的时候url到底该怎么写就容易理解和记忆了。

url路径的问题

1. 当前路径:

比如我现在地址栏是http://localhost:8080/SpringMVC/index.jsp

那么当前路径就是http://localhost:8080/SpringMVC,即去掉原始的最后一个路由后,剩下的路径。

如何使用它?有这么个约定:

直接写路径或者用./会把当前路径和它拼起来,形成真正的路径。

比如:test

或者:test

最后拼出来都是http://localhost:8080/SpringMVC/hello/testServletAPI

而你上面写那两个超链接里的路径,叫做相对路径./是当前目录,../就是再向上一级。

2. 根路径:

在做不同请求时,根路径也不一样。

  • 服务器转发时:根路径为主机名/项目名,如http://localhost:8080/SpringMVC
  • 页面请求或者重定向时:根路径为主机名,如http://localhost:8080

如何使用根路径?

/hello即表示根路径+hello,比如

test,访问的是http://localhost:8080/hello/testServletAPI

跳转页面方式

1. 会经过视图解析器的跳转

直接返回string的;

@RequestMapping(path = "/testHello")
public String sayHello(){
    return "success";
}

返回ModelAndView的;

@RequestMapping("/testMav")
public ModelAndView testMav(){
    return new ModelAndView("success");
}

如果配置了视图解析器:



    
    

那么会对success加上前缀和后缀。并且跳转方式是转发。

2. 不经过视图解析器的跳转

首先明确两个事啊,转发是发生在服务端的,因此你转发可以转发到服务器的内部目录下,就是WEB-INF下,去访问它目录下的页面。但是重定向只能访问webapp下除WEB-INF的路径。

image-20200208181726489.png

2.1 ServletAPI跳转

先把request和response拿进来。

@RequestMapping("/testServletAPI")
public void testServletAPI(HttpServletRequest request,HttpServletResponse response){

}

服务器内部转发的根路径是主机名/项目名,重定向的根路径是主机名。因此两者的url不太一样。

同样访问webapp下的newPage.jsp,重定向需要自己手动把项目名加上。

@RequestMapping("/testServletAPI")
public void testServletAPI(HttpServletRequest request,HttpServletResponse response) throws Exception {
    //1. 转发
    request.getRequestDispatcher("/newPage.jsp").forward(request,response);
    
    //2. 重定向
    response.sendRedirect(request.getContextPath()+"/newPage.jsp");
}

2.2 url的关键字跳转

同样访问webapp下的newPage.jsp:

testKeyword

testKeyword @RequestMapping("/testKeyword") public String testKeyword(){ //转发 // return "forward:/newPage.jsp"; //重定向 return "redirect:../newPage.jsp"; }

重定向一般用相对路径,因为省去自己写项目名。

此处../是因为当前路径是主机/项目名/hello,所以要再向上一级目录。形成主机/项目名/newPage.jsp

你可能感兴趣的:(SpringMVC跳转和URL相关问题)