Having a POJO
such as:
public class ClientWebRequest {
private URI uri;
private HttpMethod httpMethod;
private final Header header;
private final Body body;
public ClientWebRequest(){
header = new Header();
body = new Body();
}
//getters and setters
}
About JUnit
working with AssertJ
the following is valid, the @Test
method pass:
assertThat(clientWebRequest).isNotNull();
assertThat(clientWebRequest.getHeader()).isNotNull();
assertThat(clientWebRequest.getHeader().getAccept()).isNotNull();
assertThat(clientWebRequest.getHeader().getAcceptLanguage()).isNull();
assertThat(clientWebRequest.getHeader().getContentType()).isNull();
assertThat(clientWebRequest.getBody()).isNotNull();
assertThat(clientWebRequest.getBody().getBody()).isNull();
Even when it works, is verbose in some way.
I want to know if is possible rewrite all the above in just one sentence, checking each nested property/field. Thus I have tried for example the following:
assertThat(clientWebRequest.getHeader()).isNotNull()
.hasFieldOrProperty("accept").isNotNull()
.hasFieldOrProperty("acceptLanguage").isNull();
But fails with the following error message:
org.junit.ComparisonFailure: expected:<null>
but was:<Header [accept=[application/json;charset=UTF-8], acceptLanguage=null, contentType=null]>
at
My main goal is workaround with isNotNull
and isNull
for each property/field of the POJO
Alpha: Thanks to Joel
's suggestion the following works now:
assertThat(clientWebRequest).isNotNull()
.extracting("header.accept")
.doesNotContainNull();
assertThat(clientWebRequest).isNotNull()
.extracting("header.acceptLanguage", "header.contentType")
.containsNull();
From above (two blocks) If I try the following (one block):
assertThat(clientWebRequest).isNotNull()
.extracting("header.accept")
.doesNotContainNull();
.extracting("header.acceptLanguage", "header.contentType")
.containsNull();
It fails. Just curious if is possible apply one block.