在测试中,我想查看Http请求的正文。我想把身体当成一根绳子。似乎唯一的方法就是订阅Body Publisher但是它是如何工作的?
你为什么不用"official" OpenJDK HttpRequest recipe?
第一个食谱完全符合您的要求:
public void get(String uri) throws Exception {
HttpClient client = HttpClient.newHttpClient();
HttpRequest request = HttpRequest.newBuilder()
.uri(URI.create(uri))
.build();
HttpResponse<String> response =
client.send(request, BodyHandlers.ofString());
System.out.println(response.body());
}
这是个有趣的问题。你从哪里得到你的HttpRequest
?最简单的方法是直接从创建HttpRequest的代码中获取主体。如果那是不可能的话,接下来的事情就是克隆该请求,并在通过HttpClient发送请求之前将其身体发布者包装在您自己的BodyPublisher
实现中。编写包含HttpRequest
的其他实例的HttpRequest
子类并将每次调用委托给包装实例应该相对容易(如果单调乏味),但是重写HttpRequest::bodyPublisher
来执行以下操作:
return request.bodyPublisher().map(this::wrapBodyPublisher);
否则,您可能还会尝试订阅请求正文发布者并从中获取正文字节 - 但请注意,并非所有BodyPublisher
实现都可以支持多个订阅者(无论是并发还是顺序)。
为了说明我的上述建议:取决于正文发布者的具体实现,以下内容可能有效,并且您可以防止对正文发布者的并发订阅。也就是说 - 在一个你了解所有各方的受控测试环境中,它可能是可行的。不要在生产中使用任何东西:
public class HttpRequestBody {
// adapt Flow.Subscriber<List<ByteBuffer>> to Flow.Subscriber<ByteBuffer>
static final class StringSubscriber implements Flow.Subscriber<ByteBuffer> {
final BodySubscriber<String> wrapped;
StringSubscriber(BodySubscriber<String> wrapped) {
this.wrapped = wrapped;
}
@Override
public void onSubscribe(Flow.Subscription subscription) {
wrapped.onSubscribe(subscription);
}
@Override
public void onNext(ByteBuffer item) { wrapped.onNext(List.of(item)); }
@Override
public void onError(Throwable throwable) { wrapped.onError(throwable); }
@Override
public void onComplete() { wrapped.onComplete(); }
}
public static void main(String[] args) throws Exception {
var request = HttpRequest.newBuilder(new URI("http://example.com/blah"))
.POST(BodyPublishers.ofString("Lorem ipsum dolor sit amet"))
.build();
// you must be very sure that nobody else is concurrently
// subscribed to the body publisher when executing this code,
// otherwise one of the subscribers is likely to fail.
String reqbody = request.bodyPublisher().map(p -> {
var bodySubscriber = BodySubscribers.ofString(StandardCharsets.UTF_8);
var flowSubscriber = new StringSubscriber(bodySubscriber);
p.subscribe(flowSubscriber);
return bodySubscriber.getBody().toCompletableFuture().join();
}).get();
System.out.println(reqbody);
}
}