@Controller 與 @RestController 的區別 ...
@Controller 與 @RestController 的區別
@Controller
@Controller
註解把類註冊進Spring容器中,讓Spring容器來管理這個類,並告訴Spring容器這個類是一個控制器。@Controller
註解可以認為是被標註類的原型(stereotype),表明瞭這個類所承擔的角色。分派器(DispatcherServlet
)會掃描所有註解了@Controller
的類,檢測其中通過@RequestMapping
註解配置的方法(詳見下一小節)。
除了使用 @Controller 註解的方式註冊一個控制器,也可以使用原生的 Spring 配置的方式在容器中顯示的註冊一個 Spring bean。如果想要使用註解的方式來註冊控制器,那麼必須在你需要在配置中加入組件掃描的配置代碼來開啟框架對註解控制器的自動檢測。
<?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"
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.3.xsd">
<!-- 組件掃描 -->
<context:component-scan base-package="com.pudding" />
</beans>
@RestController
當今讓控制器實現一個REST API是非常常見的,這種場景下控制器只需要提供JSON、XML或其他自定義的媒體類型內容即可。你不需要在每個
@RequestMapping
方法上都增加一個@ResponseBody
註解,更簡明的做法是,給你的控制器加上一個@RestController
的註解。
@RestController
是一個原生內置的註解,它結合了@ResponseBody
與@Controller
註解的功能。不僅如此,它也讓你的控制器更表義,而且在框架未來的發佈版本中,它也可能承載更多的意義。
上一節已經說過 @Controller 的作用了,但是有一點需要註意的是,除了 @Controller 以外還有一個 @RestController 。在上一節的例子中能看到使用 @Controller 標註的類的返回值是一個畫面的路徑。在瀏覽器請求路徑之後會跳轉到 return 返回的畫面中。如果使用 @RestController 標註的話,return 返回的將不會是一個畫面而是一個內容。例如,return /WEB-INF/views/success.jsp
則會返回/WEB-INF/views/success.jsp
這個內容而不是跳轉畫面。
其實 @RestController 相當於 @Controller + @ResponesBody。
總的來說就是,如果你想使用控制器處理完請求之後跳轉到畫面那麼你就使用 @Controller 。而如果你想向畫面返回一些內容,例如,返回JSON,XML或自定義mediaType內容到頁面,那麼 @RestController 更適合你。
下麵舉一個 @RestController 的簡單例子:
package com.pudding.controller;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RestController;
@RestController
public class HelloWorldController {
@RequestMapping("/hello")
public String hello() {
return "Hello World!";
}
}
上面的例子直接向瀏覽器返回了 Hello World!
而不是跳轉畫面。