Java 11 HttpClient - POST问题

yv5phkfx  于 2024-01-05  发布在  Java
关注(0)|答案(1)|浏览(176)

我正在编写java HttpClient代码,用于查询splunk API,并获得搜索id(sid)作为输出。我能够用curl和python编写此代码,没有任何问题。但Java被证明是困难的。
Curl:(正在工作。得到SID作为输出)

  1. curl -u user https://url:8089/services/search/jobs -d"search=|tstats count where index=main"
  2. **output:**
  3. <response>
  4. <sid>1352061658.136</sid>
  5. </response>

字符串
Python:(Working. Got sid as output)

  1. import json
  2. import requests
  3. baseurl = 'https://url:8089/services/search/jobs'
  4. username = 'my_username'
  5. password = 'my_password'
  6. payload = {
  7. "search": "|tstats count where index=main",
  8. "count": 0,
  9. "output_mode": "json"
  10. }
  11. headers={"Content-Type": "application/x-www-form-urlencoded"}
  12. response = requests.post(url, auth=(userid,password), data=payload, headers=headers, verify=False)
  13. print(response.status_code)
  14. print(response.text)


Java:(不工作。无论请求负载是什么,我们都POST,获得所有SPlunk作业的列表,而不是sid,就像我们在curl或python中看到的那样)

  1. import java.io.IOException;
  2. import java.net.URI;
  3. import java.net.http.HttpClient;
  4. import java.net.http.HttpRequest;
  5. import java.net.http.HttpResponse;
  6. import java.time.Duration;
  7. public class HttpClientPostJSON {
  8. private static final HttpClient httpClient = HttpClient.newBuilder()
  9. .authenticator(new Authenticator() {
  10. @Override
  11. protected PasswordAuthentication getPasswordAuthentication() {
  12. return new PasswordAuthentication(
  13. "user",
  14. "password".toCharArray());
  15. }
  16. })
  17. .build();
  18. public static void main(String[] args) throws IOException, InterruptedException {
  19. // json formatted data
  20. String json = new StringBuilder()
  21. .append("{")
  22. .append("\"search\":\"|tstats count where index=main\"")
  23. .append("}").toString();
  24. // add json header
  25. HttpRequest request = HttpRequest.newBuilder()
  26. .POST(HttpRequest.BodyPublishers.ofString(json))
  27. .header("Content-Type", "application/x-www-form-urlencoded")
  28. .uri(URI.create("https://url:8089/services/search/jobs"))
  29. .build();
  30. HttpResponse<String> response = httpClient.send(request, HttpResponse.BodyHandlers.ofString());
  31. // print status code
  32. System.out.println(response.statusCode());
  33. // print response body
  34. System.out.println(response.body());
  35. }
  36. }


java代码有什么问题?有没有更好的方法来传递payload?为什么我没有得到splunk search id(sid)作为输出。我看到一些20MB以上的输出,列出了splunk中的所有作业。

x9ybnkn6

x9ybnkn61#

你的payload是JSON文本,但mime-type表明它将由urlencoded键值对组成。python代码将导致x-www-form-urlencoded主体:

  1. search=%7Ctstats+count+where+index%3Dmain&count=0&output_mode=json

字符串
如果您将此值赋给main-method中的json-String(请重命名它),如

  1. String json = "search=%7Ctstats+count+where+index%3Dmain&count=0&output_mode=json";


有效载荷匹配MIME类型。

相关问题