概要
RestTemplate#deleteメソッドの基本的な使用方法についてまとめた。
動作確認を行うための事前準備については、以下に記載している。
あわせて読みたい
概要 RESTfulなAPIを呼ぶクライアントライブラリである、RestTemplateの概要についてまとめた。 RestTemplateを使用するための準備と、どんなメソッドがあるのかを紹介している。 前提 今[…]
基本的な使い方
RestTemplate#deleteメソッドは、指定したURIにDELETE通信を行う。
レスポンスは一律voidとなるため、削除可否については例外発生有無などによって判断する。(※APIによっては削除対象となるリソースがなくてもエラーにならないケースあり)
実装方法
RestTemplate#deleteメソッドは、基本的に以下のように実装する。
delete(URI)
使用例
APIアクセスクラスにdeleteメソッドを追加し、動作確認を行う。
APIアクセスクラス
deleteを使用したメソッドを追加する。
RestClient.java
package com.example.client_prototype.biz;
import java.net.URI;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Component;
import org.springframework.web.client.RestTemplate;
@Component
public class RestClient {
@Autowired
private RestTemplate restTemplate;
/**
* DELETEの利用
* @param uri
*/
public void delete(URI uri) {
restTemplate.delete(uri);
}
/**
* 動作確認用
* @param <T>
* @param uri
* @param responseType
* @return
*/
public <T> T getForObject(URI uri, Class<T> responseType) {
return restTemplate.getForObject(uri, responseType);
}
}
restTemplate.delete(uri);
引数にURIを指定している。
戻り値はvoidとなる。
動作確認
動作確認を行う。
動作確認用クラス
package com.example.client_prototype.executor;
import java.net.URI;
import java.util.Arrays;
import org.springframework.context.support.ClassPathXmlApplicationContext;
import org.springframework.web.util.UriComponentsBuilder;
import com.example.client_prototype.biz.RestClient;
import com.example.rest_client_prototype.resources.Resource;
public class Main {
public static void main(String[] args) {
try (var context = new ClassPathXmlApplicationContext("/META-INF/spring/applicationContext.xml")) {
// DIコンテナから取得
var restClient = context.getBean(RestClient.class);
// URI定義
URI uri = UriComponentsBuilder
.fromUriString("http://localhost:8080/rest_prototype/rest04/{id}")
.buildAndExpand(1)
.toUri();
// リソースの削除
restClient.delete(uri);
// 削除結果確認
uri = UriComponentsBuilder
.fromUriString("http://localhost:8080/rest_prototype/rest05/")
.build()
.toUri();
var resArr = restClient.getForObject(uri, Resource[].class);
Arrays.stream(resArr).forEach(r -> System.out.println(r));
}
}
}
restClient.delete(uri);
戻り値はないため、上記のように呼び出して終わりとなる。
try-catchで例外ハンドリングを行う等により、削除可否を判断できる。(※404を返却してくるケースなど)
コンソール
まとめ
☑ deleteを使用することで、DELETEリクエストを送信することができる
☑ レスポンスは受け取らない
☑ 削除可否についてはtry-catchなどで例外ハンドリングを行って判断する(※404などを返却するAPIのケース)