目录
一 概述
二 应用
1.get请求
2.post请求
一 概述
RESTtemplate提供了http请求连接的功能。spring 框架提供的 RestTemplate 类可用于在应用中调用 rest 服务,它简化了与 http 服务的通信方式,统一了 RESTful 的标准,封装了 http 链接, 我们只需要传入 url 及返回值类型即可。相较于之前常用的 HttpClient,RestTemplate 是一种更优雅的调用 RESTful 服务的方式。
二 应用
先建立一个Springboot项目,写出测试所需的Controller层和entity类。目录如下
先看entity类,用于测试post请求提供入参
@Data
@AllArgsConstructor
@NoArgsConstructor
public class Person {
private String name;
private int age;
private int height;
}
controller 层,提供get和post请求接口
@RestController
public class TestController {
@GetMapping("get")
public String getTest(String str){
return "ok";
}
/**
* json参数
* @param person
* @return
*/
@PostMapping("/post01")
public String getPost01(@RequestBody Person person){
return "ok";
}
/**
* 表单参数
* @param person
* @return
*/
@PostMapping("/post02")
public String getPost02(Person person){
return "ok";
}
}
1.get请求
@Test
void testGet(){
RestTemplate restTemplate = new RestTemplate();
String url="http://localhost:8080/get?str=ingram";
String result = restTemplate.getForObject(url, String.class);//以字符串类型返回结果
ResponseEntity<String> entity = restTemplate.getForEntity(url, String.class);
System.out.println(result);//以实体类型返回结果
System.out.println("**********************************************************************");
System.out.println(entity);
}
2.post请求
post请求,提供入参的方式有两种,一种是json形式,另一种是表单形式,分别对应于controller层的post01和post02层。
@Test
void testPost01(){
RestTemplate restTemplate = new RestTemplate();
String url="http://localhost:8080/post01";
Person person = new Person("张三", 18, 181);
String str = restTemplate.postForObject(url, person, String.class);
System.out.println(str);
}
@Test
void testPost02(){
RestTemplate restTemplate = new RestTemplate();
String url="http://localhost:8080/post02";
LinkedMultiValueMap<String,Object>map=new LinkedMultiValueMap<>();
map.add("name","张三");
map.add("age",18);
map.add("height",181);
String s = restTemplate.postForObject(url, map, String.class);
System.out.println(s);
}