Niraj Sonawane
Niraj Sonawane

Reputation: 11055

How to post request with spring boot web-client for Form data for content type application/x-www-form-urlencoded

How To use spring boot webclient for posting request with content type application/x-www-form-urlencoded sample curl request with content type `application/x-www-form-urlencoded'

--header 'Content-Type: application/x-www-form-urlencoded' \
--data-urlencode 'username=XXXX' \
--data-urlencode 'password=XXXX'

How Can i send same request using webclient?

Upvotes: 36

Views: 64322

Answers (2)

Niraj Sonawane
Niraj Sonawane

Reputation: 11055

We can use BodyInserters.fromFormData for this purpose

webClient client = WebClient.builder()
        .baseUrl("SOME-BASE-URL")
        .defaultHeader(HttpHeaders.CONTENT_TYPE, MediaType.APPLICATION_FORM_URLENCODED_VALUE)
        .build();

return client.post()
        .uri("SOME-URI")
        .body(BodyInserters.fromFormData("username", "SOME-USERNAME")
                .with("password", "SOME-PASSWORD"))
                .retrieve()
                .bodyToFlux(SomeClass.class)
                .onErrorMap(e -> new MyException("message",e))
        .blockLast();
    

Upvotes: 81

coredump
coredump

Reputation: 669

In another form:

MultiValueMap<String, String> formData = new LinkedMultiValueMap<>();
formData.add("username", "XXXX");
formData.add("password", "XXXX");

String response = WebClient.create()
    .post()
    .uri("URL")
    .contentType(MediaType.APPLICATION_FORM_URLENCODED)
    .body(BodyInserters.fromFormData(formData))
    .exchange()
    .block()
    .bodyToMono(String.class)
    .block();

In my humble opinion, for simple request, REST Assured is easier to use.

Upvotes: 32

Related Questions