Lesson Learned: Don't Use Low-Level Lib To Test High-Level Code
Summary: Using a fake http library to test logic two levels above HTTP is unnecessarily complex and hard to understand. Fake instead the layer directly below the logic you want to test and verify the low-level HTTP interaction separately. In general: Create thin horizontal slices for unit testing, checking each slice separately with nicely focused and clear unit tests. Then create a coarse-grained vertical (integration-like) test to test across the slices.
The case: I want to test that the method login sends the right parameters and transforms the result as expected. Login invokes post-raw which calls an HTTP method. Originally I have tried to test it by using the library clj-http-fake but it proved to be unnecessarily complex. It would be much better to fake post-raw itself for testing login and test the original post-raw and its HTTP interaction separately, using that library.
There are two problems with using the low-level clj-http-fake library for testing the login function:
Pseudocode:
See the clj-zabbix-api's core_test.clj for the full Clojure test and core.clj for the code. Disclaimer: It is not very good Clojure code. I am just learning :-)
The case: I want to test that the method login sends the right parameters and transforms the result as expected. Login invokes post-raw which calls an HTTP method. Originally I have tried to test it by using the library clj-http-fake but it proved to be unnecessarily complex. It would be much better to fake post-raw itself for testing login and test the original post-raw and its HTTP interaction separately, using that library.
There are two problems with using the low-level clj-http-fake library for testing the login function:
- Both the calls I need to make need to be wrapped in its with-fake-routes, which makes the test more complex.
- More seriously, I need to drop down from the level of Clojure data structures to JSON encoded as a String. The transformations between the two would pollute the test and be meaningless from the point of view of what I want to test.
Pseudocode:
// "Business" logic
function login(..)
authorizationToken = post-raw(...)
return (new function derived from post-raw with some parameters such as auth.token bound)
// Test
...
fake post-raw(request) to return "my-authorization-token"
var post-authenticated = login(..)
assert post-authenticated is function
fake post-raw(request) to return request
assert post-authenticated(dummy-values) = {dummy-values + the auth. params}
// Testing post-raw isn't important now
See the clj-zabbix-api's core_test.clj for the full Clojure test and core.clj for the code. Disclaimer: It is not very good Clojure code. I am just learning :-)