I'd like to test that a list contains instances of an object.
For instance, with a single instance:
assertThat(mylist).containsExactly(Matchers.any(ExpectedType.class));
The array returned from tested obj
does contain exactly one object of instance ExpectedType
.
However my test fails with:
java.lang.AssertionError: Not true that <[ExpectedType@7c781c42]> contains exactly <[an instance of ExpectedType]>. It is missing <[an instance of ExpectedType]> and has unexpected items <[ExpectedType@7c781c42]>
How can I write this test?
You're trying to write a test to see if a
List
contains exactly one instance of a particular class using Hamcrest and Truth. Instead, you should be writing this test with either Hamcrest or Truth. Hamcrest and Truth are both libraries for making tests more expressive, each with their own particular usage, style, and syntax. You can use them alongside each other in your tests if you like, but chaining their methods together as you are doing is not going to work. (Maybe you got confused because both libraries can have assertions that start withassertThat
?) So for this particular test, you need to pick one of them and go with it.Both libraries, however, are lacking the built-in functionality of checking that a
List
has one and only one item that satisfies a condition. So with either library, you have two options: either you can do a little bit of pre-processing on the list so that you can use a built-in assertion, or you can extend the language of the library to give it this functionality.The following is an example class that demonstrates both options for both libraries:
Try running and looking over that class and use whichever way seems most natural for you. When writing future tests, just try sticking with the built-in assertions available to you and try to make the intent of the
@Test
methods and their assertions instantly readable. If you see that you are writing the same code multiple times, or that a test method is not so simple to read, then refactor and/or extend the language of the library you're using. Repeat until everything is tested and all tests are easily understandable. Enjoy!