Wednesday, August 5, 2015

Contract tests for interfaces discovered through TDD

We were working through the following iterations of an exercise:

First iteration
A user can register with a user name.

For instance: @foolano

If anyone else has already registered with that name there is an error.

Second iteration
A user can follow another users.

To do so it's only required to know the user name of the user to be followed.

Anyone can query the followers of any given user just knowing its user name.

Third iteration
The registered users and their followers must be persisted.
(source: Diseño modular dirigido por pruebas workshop at PyConEs 2014)

We produced several application services for this features that at some point collaborated with a users repository that we hadn't yet created so we mocked it in their specs.

require 'spec_helper'
require 'cos/actions/users/register_user'
require 'cos/core/users/errors'
describe Actions::RegisterUser do
let(:users_repository) { double('UsersRepository') }
let(:new_user_name) {'@foolano'}
before do
stub_const('Users::Repository', users_repository)
end
describe "Registering a user" do
it "can register a user that is not already registered" do
allow(users_repository).
to receive(:registered?).
with(new_user_name).and_return(false)
expect(users_repository).
to receive(:register).with(new_user_name)
Actions::RegisterUser.do(new_user_name)
end
it "fails when trying to register a user that is already registered" do
allow(users_repository).
to receive(:registered?).with(new_user_name).and_return(true)
expect{Actions::RegisterUser.do(new_user_name)}.
to raise_error(Users::Errors::AlreadyRegistered)
end
end
end
require 'spec_helper'
require 'cos/actions/users/follow_user'
require 'cos/core/users/errors'
describe Actions::FollowUser do
let(:follower_name) { "foolano" }
let(:followed_name) { "mengano" }
let(:users_repository) { double('UsersRepository') }
before do
stub_const('Users::Repository', users_repository)
end
describe "Following a user" do
describe "when both users are registered" do
it "succesfully adds a follower to a followed user" do
allow(users_repository).
to receive(:registered?).with(follower_name).and_return(true)
allow(users_repository).
to receive(:registered?).with(followed_name).and_return(true)
expect(users_repository).
to receive(:add_follower).with(follower_name, followed_name)
Actions::FollowUser.do follower_name, followed_name
end
end
describe "when any of them is not registered" do
it "raises an error when trying to add a registered follower to a followed user that does not exist" do
allow(users_repository).
to receive(:registered?).with(follower_name).and_return(true)
allow(users_repository).
to receive(:registered?).with(followed_name).and_return(false)
expect {Actions::FollowUser.do follower_name, followed_name}.
to raise_error(Users::Errors::NonRegistered)
end
it "raises an error when trying to add a follower that does not exist to a registered followed user" do
allow(users_repository).
to receive(:registered?).with(follower_name).and_return(false)
allow(users_repository).
to receive(:registered?).with(followed_name).and_return(true)
expect{Actions::FollowUser.do follower_name, followed_name}.
to raise_error(Users::Errors::NonRegistered)
end
end
end
end
require 'spec_helper'
require 'cos/queries/users/followers_of_user'
describe Queries::FollowersOfUser do
let(:follower_names) {["pepe", "juan"]}
let(:followed_name) {"koko"}
let(:users_repository) { double('UsersRepository') }
before do
stub_const('Users::Repository', users_repository)
end
describe "Getting the followers of a user" do
it "returns the list of followers" do
allow(users_repository).to receive(:followers_of)
.with(followed_name)
.and_return(follower_names)
expect(Queries::FollowersOfUser.do(followed_name)).to eq follower_names
end
end
end
In these tests, every time we allow or expect a method call on our repository double, we are defining not only the messages that the users repository can respond to (its public interface) but also what its clients expect from each of those messages, i.e. its contract.

In other words, at the same time we were testing the application services, we defined from the point of view of its clients the responsibilities that the users repository should be accountable for.

The users repository is at the boundary of our domain.

It's a port that allows us to not have to know anything about how users are stored, found, etc. This way we are able to just focus on what its clients want it to do for them, i.e., its responsibilities.

This results in more stable interfaces. As I heard Sandi Metz say once:

"You can trade the unpredictability of what others do for the constancy of what you want."

which is a very nice way to explain the "Program to an interface, not an implementation" design principle.

How those responsibilities are carried out is something that each different implementation (or adapter) of the users repository must be responsible of.

However, the terms of the contract that its clients rely on, must be respected by all of the adapters.

In this sense, any adapter must be substitutable by any other without the clients being affected, (yes, you're right, it's the Liskov substitution principle).

The only way to ensure this substitutability is by testing each new adapter to see if it also respects the terms of the contract.

This is related to J. B. Rainsberger's idea of contract tests mentioned in his Integrated Tests Are A Scam talk and in his great TDD course, and also to Jason Gorman's idea of polymorphic testing.

Ok, but how can we test that all the possible implementations of the user repository respect the contract without repeating a bunch of tests?

This is one way to do it in Ruby using RSpec.

We created a RSpec shared example in a file named users_repository_contract.rb where we wrote the tests that characterize the behavior that users repository clients were relying on:

require 'spec_helper'
RSpec.shared_examples "users repository" do
let(:user_name) { '@foolano' }
let(:follower_name) { '@zutano' }
let(:followed_name) { '@mengano' }
it "knows when a user is registered" do
given_already_registered(user_name)
expect(@repo.registered?(user_name)).to be_truthy
end
it "knows when a user is not registered" do
expect(@repo.registered?(user_name)).to be_falsy
end
it "registers a new user" do
@repo.register(user_name)
expect(@repo.registered?(user_name)).to be_truthy
end
it "adds a follower to a user" do
given_both_already_registered(follower_name, followed_name)
@repo.add_follower(follower_name, followed_name)
expect(@repo.followers_of(followed_name)).to eq [follower_name]
end
def given_both_already_registered(follower_name, followed_name)
given_already_registered(follower_name)
given_already_registered(followed_name)
end
def given_already_registered(user_name)
@repo.register(user_name)
end
end
Then for each implementation of the users repository you just need to include the contract using RSpec it_behaves_like method, as shown in the following two implementations:

require 'spec_helper'
require 'infrastructure/users/repositories/in_memory'
require_relative '../cos/repositories_contracts/users_repository_role'
describe "In memory users repository" do
before do
@repo = Users::Repositories::InMemory.new
end
it_behaves_like "users repository"
end
require 'spec_helper'
require 'infrastructure/users/repositories/mongoid'
require_relative '../cos/repositories_contracts/users_repository_role'
describe "Mongoid users repository" do
before do
@repo = Users::Repositories::Mongoid.new
end
it_behaves_like "users repository"
end
You could still add any other test that only had to do with a given implementation in its spec.

This solution is both very readable and reduces a lot of duplication in the tests.

However, the idea of contract tests is not only important from the point of view of testing.

In dynamic languages, such as Ruby, they also serve as a mean to highlight and document the role of duck types that might otherwise go unnoticed.

3 comments:

  1. Hi Manuel, very interesting post. The step by step approach is very instructive :)

    Just one question about layers structure: In the `in_memory_users_repository_spec.rb` we can see how you require the repository contract: `require_relative '../cos/infrastructure/users_repository_contract'`. In this path there's an "infrastructure" folder and I'm wondering if you consider this kind of contracts as an infrastructure thing and why or if it's just a typo or I've misunderstood it.

    As far as I'm concerned, they should live inside the domain (only the class contract, not the different implementations) because they talk about things inside our domain (just what you're talking about in this post: a message with a specific header and a return value).

    It's also explained in the post you've already linked by Lev Gorodinski (http://gorodinski.com/blog/2012/04/14/services-in-domain-driven-design-ddd/) as: "A repository implementation is also an example of an infrastructural service. The interface is declared in the domain layer and is an important aspect of the domain. However, the specifics of the communication with durable storage mechanisms are handled in the infrastructure layer"

    Thanks for your time and see you!

    ReplyDelete
    Replies
    1. Hi Javier,

      I consider users_repository_contract part of the core specs.

      I wanted to have a folder inside cos (the core) in which to collect the contracts of all the repositories and I chose to name it "infrastructure".

      You are right, it's a misleading name. I'll rename it to "repositories_contracts".

      Thanks for the feedback.

      Best regards,
      M

      Delete
    2. Oooookok, no worries Manuel :)

      I'm used to name it as "Repositories" (without the "Contracts" suffix) because I understand that if they're inside the domain folder, they aren't concrete implementations but contracts. Then, I would create a separate "Infrastructure" folder which contains the "MySQL" one (for instance) with the Repositories folder including all the concrete implementations.

      In any case, my approach also could be a little bit misleading. So at the end it's only a matter of naming and being used to one or another way. The essence (the important concept behind it) is the same :)

      Best regards!

      Delete