Projects
About
News
Events
Jobs
0
Contact
arrow back icon

Pact: Contract Testing

Written by

Gilles Van Gestel

Read the news article or just listen to it!

Contract Testing is a way to efficiently coordinate API communication between multiple parties. Where before we needed to notify all stakeholders of any changes to the API, with Contract Testing we can see when we might cause problems and for what parties. As a result we only have to inform these last parties instead of all parties. In this blog post we discuss an implementation of Contract Testing with Pact using Java and Spring. The goal is to provide those interested with practical background information for when they wish to start Contract Testing themselves.

Category:

Development

The big picture

When developing an API between two parties, communication has to be on point to prevent mishaps in the shared understanding of what the API messages look like. Contract testing is a way to prevent this kind of misunderstandings. Pact is a form of contract testing that allows the consumer to express its expectations of what these messages should look like. Thus, when the consumer accepts messages from a provider with which it has a valid Pact, it can rest assured that the messages meet the expectations it had set out for them.

The consumer expresses its expectations by writing a set of Unit tests. When running these tests a Pact is generated under the form of a JSON-file. These files are shared between consumers and providers through a Pact Broker. A Pact Broker is an entity hosted in an environment reachable by both parties, often through a public URL, with or without credentials. 

After the consumer publishes the Pacts to the Broker the provider can use these Pacts to verify whether or not it complies with the consumer's expectations. The provider verifies the contract in an analogous manner by composing Unit tests which can be run against the provided Pacts. When successfully validating the Pact the provider can publish its results to the Broker. This way all parties are aware of which consumer-provider version pairs have a valid Pact between them. 

Now, what is the impact of all this? 

Traditionally, when a provider wishes to make changes to the API they have to sufficiently communicate their intentions with all stakeholders. Meaning they need to notify at least all consumers of their API that possible breaking changes are coming their way. With Pact, when a provider makes changes to the API, they can use the Pacts on the Pact Broker to verify whether or not they made any breaking changes to the API and for which consumers these changes were breaking. But as long as no Pacts are broken by the provider's changes, they can modify the API as much as they want without having to necessarily notify any of their consumers. This concept adheres nicely with Postel's Law

Maven dependencies and plugins

To efficiently write the required Unit tests we use Pact in combination with JUnit 5 for both the consumer and the provider. We combine these dependencies with a Maven plugin.

At the time of writing (July 2023) we are using the following pom.xml properties.

<properties> <maven-surefire-plugin.version>3.0.0</maven-surefire-plugin.version> <pact.version>4.5.6</pact.version> <pact.broker.url>https://pact-broker.lemon.be</pact.broker.url> </properties>

Consumer dependency
<dependency> <groupid>au.com.dius.pact.consumer</groupid> <artifactid>junit5</artifactid> <version>${pact.version}</version> <scope>test</scope> </dependency>

Provider dependency
<dependency> <groupid>au.com.dius.pact.provider</groupid> <artifactid>junit5</artifactid> <version>${pact.version}</version> <scope>test</scope> </dependency>

Maven plugins
<build> <pluginmanagement> <plugins> <!-- surefire --> <plugin> <groupid>org.apache.maven.plugins</groupid> <artifactid>maven-surefire-plugin</artifactid> <version>${maven-surefire-plugin.version}</version> <configuration> <usesystemclassloader>false</usesystemclassloader> </configuration> </plugin> </plugins> </pluginmanagement> </build>

<build> <plugins> <plugin> <groupid>au.com.dius.pact.provider</groupid> <artifactid>maven</artifactid> <version>${pact.version}</version> <executions> <execution> <phase>verify</phase> <goals> <goal>publish</goal> </goals> </execution> </executions> <configuration> <trimsnapshot>true</trimsnapshot> <failifnopactsfound>false</failifnopactsfound> <pactbrokerurl>${pact.broker.url}</pactbrokerurl> <serviceproviders> <serviceprovider> <name>your-provider-name</name> <pactbrokerurl>${pact.broker.url}</pactbrokerurl> <verificationtype>ANNOTATED_METHOD</verificationtype> </serviceprovider> </serviceproviders> <configuration> <pact.verifier.publishresults>true</pact.verifier.publishresults> <pact.showstacktrace>true</pact.showstacktrace> <pact.provider.version.trimsnapshot>true</pact.provider.version.trimsnapshot> </configuration> </configuration> </plugin> </plugins> </build>

This setup works for both consumers and providers, with the distinction that the <serviceProviders> part is specific to the provider. When configuring a consumer this part should be left out. 

The <configuration> part that comes after <serviceProviders> contains some example configurations, more options can be found here.

Unit tests

To clarify, contract testing is not like functional API testing. It only tests for compliance with the shape of a message. Meaning that changes to a message which will break a consumer can be detected even before deploying the changes. 

The consumer composes Unit tests to provide specifications of what it expects the messages to look like. JUnit 5 allows us to use a couple of useful annotations. The PactConsumerTest extension allows us to write Pact consumer tests with JUnit 5 and needs to be declared on Pact classes.

@ExtendWith(PactConsumerTestExt.class)

For every Pact test we need to define a separate method with the @Pact annotation. This method specifies the interactions for the test and what the Pact will look like.

@Pact(provider = "your-provider-name", consumer = "your-consumer-name")

As a final step, we define the test method with the @PactTestFor annotation. This method specifies how the Pact extension should set up the Pact test. This annotation can also be used on the test class.

@Test @PactTestFor(pactMethod = "your-pact-method", providerName = "your-provider-name")

There is no need for a Pact extension on the provider side. We simply specify the provider by using @Provider, the Pact Broker by using @PactBroker and if wanted any extra configuration, e.g. by using @IgnoreNoPactsToVerify. This last annotation makes sure that our tests don't fail in the absence of Pacts on the Broker. These annotations are to be declared on the test class.

@Provider("your-provider-name") @PactBroker(url = "https://pact-broker.lemon.be") @IgnoreNoPactsToVerify

For each Unit test on the provider side we need to declare a name of the request or event we will be verifying. This way the plugin knows what Pact specification to look for on the Broker. We do this by using @PactVerifyProvider.

@PactVerifyProvider("your request or event name")

Request-Response API

Pact was originally designed for request-response interactions. We mainly use it for event-driven interactions. For completeness, a short request-response example will be provided.

The consumer provides a specification of what the request looks like and what is expected from the response. In this case the consumer is an Authorization Service which requests permissions from a Permission Service, acting as the provider. The implementation shows a method getPermissions which specifies what the Pact will look like and what is to be expected from the interaction. It does this by utilizing a DSL builder (Domain Specific Language). We specify that we expect to receive a JSON object with one string in it, "permissions". This specification then serves as the input for a mock server. Finally, the response of this mock server is checked against a predefined dummy response in the Test method getPermissions_whenObjectWithId10Exists. 

When all goes well a JSON file is generated containing a Pact for the interaction between the Authorization Service and the Permission Service. This way the Pact is only generated when the assertion that the Pact specification matches the expected object, succeeds. One could also choose not to use a JSON object to compare against but could compare an expected POJO against a mapping of the mocked JSON object to a POJO of the same class. This way the Pact is compared against the actual Java object that will be used in the consumer. When this assertion succeeds we know for sure that the consumer will be able to map the API response as long as the provider plays by the rules of the Pact.

@ExtendWith(PactConsumerTestExt.class) public class PermissionsGetterTest { @Pact(provider="PermissionService", consumer="AuthorizationService") public RequestResponsePact getPermissions(PactDslWithProvider builder) { return builder .given("object with ID 10 exists") .uponReceiving("get permissions") .method("GET") .path("/get-permissions") .query("id=10") .willRespondWith() .status(200) .body(newJsonBody(object -> object.stringType("permissions", "permissionA") ).build()) .toPact(); } @Test @PactTestFor(providerName="PermissionService", pactMethod = "getPermissions", pactVersion = PactSpecVersion.V3) void getPermissions_whenObjectWithId10Exists(MockServer mockServer) { JSONObject expectedPermissions = new JSONObject(); expectedPermissions.put("permissions", "permissionA"); RestTemplate restTemplate = new RestTemplateBuilder() .rootUri(mockServer.getUrl()) .build(); JSONObject permissions = new PermissionService(restTemplate).getPermissions("10"); assertEquals(expectedPermissions.toString(), permissions.toString()); } }

With a simple Permission Service class.

@Service public class PermissionService { private final RestTemplate restTemplate; @Autowired public PermissionService(RestTemplate restTemplate) { this.restTemplate = restTemplate; } public JSONObject getPermissions(String id) { ResponseEntity<jsonobject> response = restTemplate.getForEntity("/get-permissions?id=" + id, JSONObject.class); return response.getBody(); } } </jsonobject>

After generating the Pact from the consumer specification and publishing said Pact to the Pact Broker, the provider is able to use this Pact as a way to verify if its response fits the desired specification. The provider side code is more compact. We simply provide a test URL to a (dummy) Permission Service and the required test State(s).

@Provider("PermissionService") @PactBroker(url = "https://pact-broker.lemon.be") @IgnoreNoPactsToVerify public class PermissionsGetterTest { @TestTemplate @ExtendWith(PactVerificationInvocationContextProvider.class) void verifyPact(PactVerificationContext context) { context.verifyInteraction(); } @BeforeEach void before(PactVerificationContext context) { context.setTarget(new HttpsTestTarget("permission-service.lemon.be", 443)); } @State("object with ID 10 exists") void toObjectsWithIdsTenAndElevenExistState() { } }

The Pact plugin does the heavy lifting for us. It verifies our Permission Service against the Pacts on the Pact Broker and publishes the results as well. More on the Pact Broker and publishing of results below.

For more details on Pact with request-response based API interactions, please refer to the official Pact documentation. Also, this tutorial provides valuable insights on the subject. More specifically the part about the consumer and the part about the provider.

Event-driven API

An event-driven Pact setup looks a lot like its request-response based counterpart but has some clear and important distinctions. In the case of an event-driven API it is the provider who publishes a message (e.g. an event) which in turn is picked up by the consumer. As before, it is the consumer who expresses what this message should look like and the provider who verifies if its messages comply with this specification. There is no request so one difference with the previous case is that the consumer has no need to specify what the request looks like. 

As before, the consumer defines two methods, one being the @Pact method lunchEventReceivedPact which specifies what the message should look like and how it will be defined in the Pact. The difference with the request-response case here is that this method works with a MessagePact builder. This builder allows us to specify what kind of event we expect to receive and what the content of said event should look like. We use Lambda DSL to do this. It states that we expect a JSON body with some strings and an object with again some strings in it. The DSL allows us to specify rather complex structures. For example we can model an array with a minimum amount of objects and how many examples should be mocked for the test's assertion with .minArrayLike("menuOptions", 0, 1, menuOption -> { ... }. Then between the curly braces we can specify what the objects in the array should look like.

Just like with the request-response based Pact, we define a Test method verifyLunchEventReceivedPact to check the validity of the Pact's consumer side by comparing the proposed Pact against a dummy object that would be used by the consumer after receiving the event. After successful assertion the Pact's JSON file is generated and we can upload it to the Pact Broker.

@ExtendWith(PactConsumerTestExt.class) @PactTestFor(providerName = "lunch-provider", providerType = ProviderType.ASYNCH) public class LunchEventTest { @Pact(provider = "lunch-provider", consumer = "lunch-consumer") public MessagePact lunchEventReceivedPact(MessagePactBuilder builder) { return builder .expectsToReceive("a lunchEvent") .withContent( LambdaDsl.newJsonBody(body -> body .stringType("id", "00102") .object("lunch", lunch -> { lunch.stringMatcher("food", "bread|yoghurt", "bread"); lunch.stringMatcher("drinks", "water|milk|beer", "milk"); lunch.stringType("id", "00105"); }) .stringType("alternativeMealId", "00103") .stringType("nextMealId", "00107") ).build() ) .toPact(); } @Test @PactTestFor(pactMethod = "lunchEventReceivedPact", pactVersion = PactSpecVersion.V3) public void verifyLunchEventReceivedPact(MessagePact pact) throws IOException { LunchEvent expected = new LunchEvent( "00102", new Lunch( Lunch.Food.BREAD, Lunch.Drinks.MILK, "00105" ), Lunch.from("00103"), Dinner.from("00107") ); LunchEvent event = new ObjectMapper().readValue(pact.getMessages().get(0).contentsAsBytes(), LunchEvent.class); assertEquals(expected, event); } }

The provider verifies this Pact through usage of the Maven plugin. It uses a dummy object we provided in the @PactVerifyProvider method verifyLunchEvent and compares it to the specification it found in the Pact. The plugin notifies us of the verification results and publishes them to the Pact Broker as well.

@Provider("lunch-provider") @PactBroker(url = "https://pact-broker.lemon.be") @IgnoreNoPactsToVerify public class LunchEventTest { @TestTemplate @ExtendWith(PactVerificationInvocationContextProvider.class) void testTemplate(PactVerificationContext context) { context.verifyInteraction(); } @BeforeEach void before(PactVerificationContext context) { context.setTarget(new MessageTestTarget()); } @PactVerifyProvider("a lunchEvent") public String verifyLunchEvent() throws JsonProcessingException { LunchEvent expected = new LunchEvent( "00102", new Lunch( Lunch.Food.BREAD, Lunch.Drinks.MILK, "00105" ), Lunch.from("00103"), Dinner.from("00107") ); return new ObjectMapper().writeValueAsString(expected); } }

Pact Broker

The Pact Broker is a useful tool to share Pacts between consumers and providers. The Broker looks something like this: 

It shows consumer and provider combinations together with when the Pacts were last published and last verified. The symbol(s) in the middle allow us to inspect the contents of the Pact and its version history.

For testing purposes you can deploy a Pact Broker using this docker-compose file. 

version: "2" services: postgres: image: postgres healthcheck: test: psql postgres --command "select 1" -U postgres volumes: - postgres-volume:/var/lib/postgresql/data environment: POSTGRES_USER: postgres POSTGRES_PASSWORD: password POSTGRES_DB: postgres pact-broker: image: pactfoundation/pact-broker:2.92.0.0 ports: - "9292:9292" depends_on: - postgres environment: PACT_BROKER_PORT: '9292' PACT_BROKER_DATABASE_URL: "postgres://postgres:password@postgres/postgres" PACT_BROKER_LOG_LEVEL: INFO PACT_BROKER_SQL_LOG_LEVEL: DEBUG volumes: postgres-volume:

Together with this postgres-service file.

apiVersion: v1 kind: Service metadata: name: postgres namespace: your-namespace spec: ports: - name: p-80-5432-tcp port: 5432 protocol: TCP targetPort: 5432 selector: matchLabels: app: postgres sessionAffinity: None type: ClusterIP status: loadBalancer: {}

Can-I-Deploy

The Pact Maven plugin offers another useful tool, can-i-deploy. This allows us to query whether or not the version we're about to deploy is compatible with the versions of the other apps that use our API. For example, we can execute can-i-deploy for one of the Pacts displayed in the Pact Broker image above.

mvn pact:can-i-deploy -Dpacticipant=Foo -Dlatest=true

This is answered with either positive feedback;

"Computer says yes _____. All required verification results are published and successful VERIFICATION RESULTS -------------------- 1. https://pact-broker.lemon.be/pacts/provider/Bar/consumer/Foo/pact-version/0f5e89d6ecfeb8cd8b7a274e637fa23fdc2cce8b/metadata/Y3ZuPTIuNS4x/verification-results/276 [INFO] ------------------------------------------------------------------------ [INFO] BUILD SUCCESS [INFO] ------------------------------------------------------------------------"

or negative feedback;

Computer says no ¯_(ツ)_/¯ There is no verified pact between the latest version of Foo (2.5.1) and the latest version of Bar (3.10.1) VERIFICATION RESULTS -------------------- 1. https://pact-broker.lemon.be/pacts/provider/Bar/consumer/Foo/pact-version/0f5e89d6ecfeb8cd8b7a274e637fa23fdc2cce8b/metadata/Y3ZuPTIuNS4x/verification-results/276 [INFO] ------------------------------------------------------------------------ [INFO] BUILD FAILURE [INFO] ------------------------------------------------------------------------

The can-i-deploy check is especially useful in automated actions like GitHub Actions. You can read more about can-i-deploy in general here

That's it for this short introduction to Pact: Contract Testing. We'll finish up with some useful links:

Read also:

Arrow white - hover in

Let us talk

Waving hand asset

Contact us

Let us talk

Waving hand asset

Contact us

Let us talk

Waving hand asset

Contact us

Let us talk

Waving hand asset

Contact us