SpringBoot - 集成RestTemplate模板(二) - GET请求

GET请求一: getForObject

①. 方法介绍
getForObject()用于发送一个 HTTP GET 请求, 返回值是响应体, 省略了RESPONSE的相关信息。
②. 如何使用
// 1. 生成结果映射为String字符串.
@GetMapping("/test")
public String test() {
    String url = "http://hadoopx.com/user/info/1";
    return restTemplate.getForObject(url, String.class);
}
// 2. 生成结果映射为POJO.
@GetMapping("/test")
public User test() {
    String url = "http://hadoopx.com/user/info/1";
    return restTemplate.getForObject(url, User.class);
}
// 3. 生成结果映射为数组.
@GetMapping("/test")
public String[] test() {
    String url = "http://hadoopx.com/user/info/1";
    return restTemplate.getForObject(url, String[].class);
}
③. 参数传递
// 1. 使用占位符传递参数.
@GetMapping("/test")
public String test() {
    String url = "http://hadoopx.com/user/{1}/{2}";
    return restTemplate.getForObject(url, String.class, "info", 1);
}

// 2. 使用占位符传递参数.
@GetMapping("/test")
public String test() {
    String url = "http://hadoopx.com/user/{type}/{id}";
    String type = "info";
    int id = 1;
    return restTemplate.getForObject(url, String.class, type, id);
}

// 3. 使用占位符传递参数.
@GetMapping("/test")
public String test() {
    String url = "http://hadoopx.com/user/{type}/{id}";
    Map<String, Object> mp = new HashMap<>();
	mp.put("type", "info");
	mp.put("id", 1);
    return restTemplate.getForObject(url, String.class, mp);
}

GET请求二: getForEntity

①. 方法介绍
getForEntity()同样用于发送一个 HTTP GET 请求, 和上面介绍的 getForObject() 用法几乎相同。
区别在于 getForEntity() 的返回值是 ResponseEntity<T>
②. 如何使用
getForObject() 用法几乎相同。
返回值 ResponseEntity<T>Spring 对 HTTP 请求响应的封装, 包括了几个重要的元素,: 响应码、contentType、contentLength、响应消息体等。其中响应消息体可以通过 ResponseEntity 对象的 getBody() 来获取。

你可能感兴趣的:(SpringBoot,spring,boot)