资源(Resource)
资源是网络上的⼀个实体,或者说网络中存在的⼀个具体信息,⼀段⽂本、⼀张图片、⼀⾸歌曲、⼀段视频等等,总之就是⼀个具体的存在。可以用⼀个 URI(统⼀资源定位符)指向它,每个资源都有对应的⼀个 特定的 URI,要获取该资源时,只需要访问对应的 URI 即可。
表现层(Representation)
资源具体呈现出来的形式,⽐如⽂本可以⽤ txt 格式表示,也可以⽤ HTML、XML、JSON等格式来表 示。
状态转换(State Transfer)
客户端如果希望操作服务器中的某个资源,就需要通过某种⽅式让服务端发⽣状态转换,而这种转换是 建⽴在表现层之上的,所有叫做"表现层状态转换"
Rest的优点:URL 更加简洁。 有利于不同系统之间的资源共享,只需要遵守⼀定的规范,不需要进行其他配置即可实现资源共享
如何使用
如何使⽤ REST 具体操作就是 HTTP 协议中四个表示操作⽅式的动词分别对应 CRUD 基本操作。 GET ⽤来表示获取资源。 POST ⽤来表示新建资源。 PUT ⽤来表示修改资源。 DELETE ⽤来表示删除资源。
1.在Handler写出增删改查的方法
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
36
37
|
package Mycontroller;
import entity.Student;
import entity.User;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.web.bind.annotation.*;
import repository.StudentRepository;
import javax.servlet.http.HttpServletResponse;
import java.util.Collection;
@RequestMapping ( "/rest" )
@RestController
public class RestHandler {
@Autowired
private StudentRepository studentRepository;
@RequestMapping (value = "/findAll" ,method = RequestMethod.GET)
// @GetMapping("/findAll")
public Collection<Student> findAll(HttpServletResponse response){
response.setContentType( "text/json;charset=UTF-8" );
return studentRepository.findAll();
}
@GetMapping ( "/findById/{id}" )
public Student findById( @PathVariable ( "id" ) long id)
{
return studentRepository.findById(id);
}
@PostMapping ( "/sava" )
public void save( @RequestBody Student student){
studentRepository.saveOrUpdate(student);
}
@PutMapping ( "/update" )
public void update( @RequestBody Student student){
studentRepository.saveOrUpdate(student);
}
@DeleteMapping ( "/deleteById/{id}" )
public void deleteById( @PathVariable ( "id" ) long id){
studentRepository.deleteById(id);
}
}
|
2.Repository
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
|
@Repository
public class StudentRepositoryImpl implements StudentRepository {
private static Map<Long, Student> studentMap;
static {
studentMap= new HashMap<>();
studentMap.put(1L, new Student (1L, "zhangsan" , 22 ));
}
@Override
public Collection<Student> findAll() {
return studentMap.values();
}
@Override
public Student findById( long id) {
return studentMap.get(id);
}
@Override
public void saveOrUpdate(Student student) {
studentMap.put(student.getId(),student);
}
@Override
public void deleteById( long id) {
studentMap.remove(id);
}
}
|
以上就是SpringMVC框架REST架构简要分析的详细内容,更多关于SpringMVC框架REST架构的资料请关注服务器之家其它相关文章!
原文链接:https://blog.csdn.net/DrLai/article/details/119457497