SpringMVC之RESTful

1. REST是什么?

理解本真的REST架构风格: http://kb.cnblogs.com/page/186516/

REST: http://www.infoq.com/cn/articles/rest-introduction

REST:即 Representational State Transfer。(资源)表现层状态转化。是目前最流行的一种互联网软件架构。它结构清晰、符合标准、易于理解、扩展方便,所以正得到越来越多网站的采用。

  1. 资源(Resources):网络上的一个实体,或者说是网络上的一个具体信息。它可以是一段文本、一张图片、一首歌曲、一种服务,总之就是一个具体的存在。可以用一个URI(统一资源定位符)指向它,每种资源对应一个特定的 URI 。获取这个资源,访问它的URI就可以,因此 URI 即为每一个资源的独一无二的识别符。
  2. 表现层(Representation):把资源具体呈现出来的形式,叫做它的表现层(Representation)。比如,文本可以用 txt 格式表现,也可以用 HTML 格式、XML 格式、JSON 格式表现,甚至可以采用二进制格式。
  3. 状态转化(State Transfer):每发出一个请求,就代表了客户端和服务器的一次交互过程。HTTP协议,是一个无状态协议,即所有的状态都保存在服务器端。因此,如果客户端想要操作服务器,必须通过某种手段,让服务器端发生“状态转化”(State Transfer)而这种转化是建立在表现层之上的,所以就是 “表现层状态转化”。
  4. 具体说,就是 HTTP 协议里面,四个表示操作方式的动词:GET、POST、PUT、DELETE。它们分别对应四种基本操作:GET 用来获取资源,POST 用来新建资源,PUT 用来更新资源,DELETE 用来删除资源。

2. SpringMVCRESTful风格体现

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
@Controller
@RequestMapping("/users")
public class UserController {
/**
* restful风格
*相同的请求路径,不同的请求方式,调用不同的方法。
* add方法 POST
* delete方法 DELETE
* update方法 PUT
* find方法 GET
*
* */

@RequestMapping(value = "/justweb" ,method = RequestMethod.POST)
public String add(){
System.out.println("add方法");
return "success";
}

@RequestMapping(value = "/justweb" ,method = RequestMethod.DELETE)
public String delete(){
System.out.println("delete方法");
return "success";
}
@RequestMapping(value = "/justweb" ,method = RequestMethod.PUT)
public String update(){
System.out.println("update方法");
return "success";
}
@RequestMapping(value = "/justweb" ,method = RequestMethod.GET)
public String find(){
System.out.println("find方法");
return "success";
}
}

3. 通过postman测试