本文介紹了如何使用Java 11 HTTP客戶端為POST請求定義多個參數的處理方法,對大家解決問題具有一定的參考價值,需要的朋友們下面隨著小編來一起學習吧!
問題描述
我有一段代碼,它為特定的端點發出POST請求。這段代碼使用的是Apache的HttpClient
,我想開始使用Java(JDK11)中的本機HttpClient
。但我不知道如何指定我的請求的參數。
這是我使用Apache HttpClient編寫的代碼:
var path = Path.of("file.txt");
var entity = MultipartEntityBuilder.create()
.addPart("file", new FileBody(path.toFile()))
.addTextBody("token", "<any-token>")
.build();
和使用HttpClient
的代碼:
var client = HttpClient.newHttpClient();
var request = HttpRequest.newBuilder()
.uri(URI.create("https://myendpoint.com/"))
.POST( /* How can I set the parameters here? */ );
如何設置file
和token
參數?
推薦答案
遺憾的是,Java 11HTTP客戶端沒有為多部分類型的正文提供任何方便的支持。但我們可以在其上構建自定義實現:
Map<Object, Object> data = new LinkedHashMap<>();
data.put("token", "some-token-value";);
data.put("file", File.createTempFile("temp", "txt").toPath(););
// add extra parameters if needed
// Random 256 length string is used as multipart boundary
String boundary = new BigInteger(256, new Random()).toString();
HttpRequest.newBuilder()
.uri(URI.create("http://example.com"))
.header("Content-Type", "multipart/form-data;boundary=" + boundary)
.POST(ofMimeMultipartData(data, boundary))
.build();
public HttpRequest.BodyPublisher ofMimeMultipartData(Map<Object, Object> data,
String boundary) throws IOException {
// Result request body
List<byte[]> byteArrays = new ArrayList<>();
// Separator with boundary
byte[] separator = ("--" + boundary + "
Content-Disposition: form-data; name=").getBytes(StandardCharsets.UTF_8);
// Iterating over data parts
for (Map.Entry<Object, Object> entry : data.entrySet()) {
// Opening boundary
byteArrays.add(separator);
// If value is type of Path (file) append content type with file name and file binaries, otherwise simply append key=value
if (entry.getValue() instanceof Path) {
var path = (Path) entry.getValue();
String mimeType = Files.probeContentType(path);
byteArrays.add((""" + entry.getKey() + ""; filename="" + path.getFileName()
+ ""
Content-Type: " + mimeType + "
").getBytes(StandardCharsets.UTF_8));
byteArrays.add(Files.readAllBytes(path));
byteArrays.add("
".getBytes(StandardCharsets.UTF_8));
} else {
byteArrays.add((""" + entry.getKey() + ""
" + entry.getValue() + "
")
.getBytes(StandardCharsets.UTF_8));
}
}
// Closing boundary
byteArrays.add(("--" + boundary + "--").getBytes(StandardCharsets.UTF_8));
// Serializing as byte array
return HttpRequest.BodyPublishers.ofByteArrays(byteArrays);
}
這里working example on Github(您需要更改VirusTotal API密鑰)
這篇關于如何使用Java 11 HTTP客戶端為POST請求定義多個參數的文章就介紹到這了,希望我們推薦的答案對大家有所幫助,