The best way to Set Up Kafka Integration Check – Grape Up

Do you take into account unit testing as not sufficient answer for preserving the appliance’s reliability and stability? Are you afraid that in some way or someplace there’s a potential bug hiding within the assumption that unit checks ought to cowl all instances? And in addition is mocking Kafka not sufficient for undertaking necessities? If even one reply is ‘sure’, then welcome to a pleasant and straightforward information on how you can arrange Integration Exams for Kafka utilizing TestContainers and Embedded Kafka for Spring!
What’s TestContainers?
TestContainers is an open-source Java library specialised in offering all wanted options for the combination and testing of exterior sources. It implies that we’re in a position to mimic an precise database, internet server, and even an occasion bus surroundings and deal with that as a dependable place to check app performance. All these fancy options are hooked into docker pictures, outlined as containers. Do we have to take a look at the database layer with precise MongoDB? No worries, we’ve a take a look at container for that. We cannot additionally overlook about UI checks – Selenium Container will do something that we really need.
In our case, we’ll deal with Kafka Testcontainer.
What’s Embedded Kafka?
Because the title suggests, we’re going to cope with an in-memory Kafka occasion, prepared for use as a standard dealer with full performance. It permits us to work with producers and customers, as normal, making our integration checks light-weight.
Earlier than we begin
The idea for our take a look at is straightforward – I want to take a look at Kafka client and producer utilizing two completely different approaches and verify how we are able to make the most of them in precise instances.
Kafka Messages are serialized utilizing Avro schemas.
Embedded Kafka – Producer Check
The idea is straightforward – let’s create a easy undertaking with the controller, which invokes a service methodology to push a Kafka Avro serialized message.
Dependencies:
dependencies
implementation "org.apache.avro:avro:1.10.1"
implementation("io.confluent:kafka-avro-serializer:6.1.0")
implementation 'org.springframework.boot:spring-boot-starter-validation'
implementation 'org.springframework.kafka:spring-kafka'
implementation('org.springframework.cloud:spring-cloud-stream:3.1.1')
implementation('org.springframework.cloud:spring-cloud-stream-binder-kafka:3.1.1')
implementation('org.springframework.boot:spring-boot-starter-web:2.4.3')
implementation 'org.projectlombok:lombok:1.18.16'
compileOnly 'org.projectlombok:lombok'
annotationProcessor 'org.projectlombok:lombok'
testImplementation('org.springframework.cloud:spring-cloud-stream-test-support:3.1.1')
testImplementation 'org.springframework.boot:spring-boot-starter-test'
testImplementation 'org.springframework.kafka:spring-kafka-test'
Additionally value mentioning unbelievable plugin for Avro. Right here plugins part:
plugins
id 'org.springframework.boot' model '2.6.8'
id 'io.spring.dependency-management' model '1.0.11.RELEASE'
id 'java'
id "com.github.davidmc24.gradle.plugin.avro" model "1.3.0"
Avro Plugin helps schema auto-generating. It is a must-have.
Hyperlink to plugin: https://github.com/davidmc24/gradle-avro-plugin
Now let’s outline the Avro schema:
"namespace": "com.grapeup.myawesome.myawesomeproducer",
"sort": "report",
"title": "RegisterRequest",
"fields": [
"name": "id", "type": "long",
"name": "address", "type": "string", "avro.java.string": "String"
]
Our ProducerService shall be targeted solely on sending messages to Kafka utilizing a template, nothing thrilling about that half. Principal performance could be completed simply utilizing this line:
ListenableFuture> future = this.kafkaTemplate.ship("register-request", kafkaMessage);
We will’t overlook about take a look at properties:
spring:
primary:
allow-bean-definition-overriding: true
kafka:
client:
group-id: group_id
auto-offset-reset: earliest
key-deserializer: org.apache.kafka.frequent.serialization.StringDeserializer
value-deserializer: com.grapeup.myawesome.myawesomeconsumer.frequent.CustomKafkaAvroDeserializer
producer:
auto.register.schemas: true
key-serializer: org.apache.kafka.frequent.serialization.StringSerializer
value-serializer: com.grapeup.myawesome.myawesomeconsumer.frequent.CustomKafkaAvroSerializer
properties:
particular.avro.reader: true
As we see within the talked about take a look at properties, we declare a customized deserializer/serializer for KafkaMessages. It’s extremely beneficial to make use of Kafka with Avro – don’t let JSONs preserve object construction, let’s use civilized mapper and object definition like Avro.
Serializer:
public class CustomKafkaAvroSerializer extends KafkaAvroSerializer
public CustomKafkaAvroSerializer()
tremendous();
tremendous.schemaRegistry = new MockSchemaRegistryClient();
public CustomKafkaAvroSerializer(SchemaRegistryClient consumer)
tremendous(new MockSchemaRegistryClient());
public CustomKafkaAvroSerializer(SchemaRegistryClient consumer, Map props)
tremendous(new MockSchemaRegistryClient(), props);
Deserializer:
public class CustomKafkaAvroSerializer extends KafkaAvroSerializer
public CustomKafkaAvroSerializer()
tremendous();
tremendous.schemaRegistry = new MockSchemaRegistryClient();
public CustomKafkaAvroSerializer(SchemaRegistryClient consumer)
tremendous(new MockSchemaRegistryClient());
public CustomKafkaAvroSerializer(SchemaRegistryClient consumer, Map props)
tremendous(new MockSchemaRegistryClient(), props);
And we’ve all the pieces to begin writing our take a look at.
@ExtendWith(SpringExtension.class)
@SpringBootTest
@AutoConfigureMockMvc
@TestInstance(TestInstance.Lifecycle.PER_CLASS)
@ActiveProfiles("take a look at")
@EmbeddedKafka(partitions = 1, matters = "register-request")
class ProducerControllerTest {
All we have to do is add @EmbeddedKafka annotation with listed matters and partitions. Software Context will boot Kafka Dealer with offered configuration identical to that. Understand that @TestInstance must be used with particular consideration. Lifecycle.PER_CLASS will keep away from creating the identical objects/context for every take a look at methodology. Value checking if checks are too time-consuming.
Client consumerServiceTest;
@BeforeEach
void setUp()
DefaultKafkaConsumerFactory client = new DefaultKafkaConsumerFactory<>(kafkaProperties.buildConsumerProperties();
consumerServiceTest = client.createConsumer();
consumerServiceTest.subscribe(Collections.singletonList(TOPIC_NAME));
Right here we are able to declare the take a look at client, primarily based on the Avro schema return sort. All Kafka properties are already offered within the .yml file. That client shall be used as a verify if the producer really pushed a message.
Right here is the precise take a look at methodology:
@Check
void whenValidInput_therReturns200() throws Exception
RegisterRequestDto request = RegisterRequestDto.builder()
.id(12)
.deal with("tempAddress")
.construct();
mockMvc.carry out(
publish("/register-request")
.contentType("software/json")
.content material(objectMapper.writeValueAsBytes(request)))
.andExpect(standing().isOk());
ConsumerRecord consumedRegisterRequest = KafkaTestUtils.getSingleRecord(consumerServiceTest, TOPIC_NAME);
RegisterRequest valueReceived = consumedRegisterRequest.worth();
assertEquals(12, valueReceived.getId());
assertEquals("tempAddress", valueReceived.getAddress());
Initially, we use MockMvc to carry out an motion on our endpoint. That endpoint makes use of ProducerService to push messages to Kafka. KafkaConsumer is used to confirm if the producer labored as anticipated. And that’s it – we’ve a totally working take a look at with embedded Kafka.
Check Containers – Client Check
TestContainers are nothing else like impartial docker pictures prepared for being dockerized. The next take a look at situation shall be enhanced by a MongoDB picture. Why not hold our knowledge within the database proper after something occurred in Kafka movement?
Dependencies usually are not a lot completely different than within the earlier instance. The next steps are wanted for take a look at containers:
testImplementation 'org.testcontainers:junit-jupiter'
testImplementation 'org.testcontainers:kafka'
testImplementation 'org.testcontainers:mongodb'
ext
set('testcontainersVersion', "1.17.1")
dependencyManagement
imports
mavenBom "org.testcontainers:testcontainers-bom:$testcontainersVersion"
Let’s focus now on the Client half. The take a look at case shall be easy – one client service shall be liable for getting the Kafka message and storing the parsed payload within the MongoDB assortment. All that we have to learn about KafkaListeners, for now, is that annotation:
@KafkaListener(matters = "register-request")
By the performance of the annotation processor, KafkaListenerContainerFactory shall be accountable to create a listener on our methodology. From this second our methodology will react to any upcoming Kafka message with the talked about subject.
Avro serializer and deserializer configs are the identical as within the earlier take a look at.
Concerning TestContainer, we should always begin with the next annotations:
@SpringBootTest
@ActiveProfiles("take a look at")
@Testcontainers
public class AbstractIntegrationTest {
Throughout startup, all configured TestContainers modules shall be activated. It means that we are going to get entry to the complete working surroundings of the chosen supply. As instance:
@Autowired
personal KafkaListenerEndpointRegistry kafkaListenerEndpointRegistry;
@Container
public static KafkaContainer kafkaContainer = new KafkaContainer(DockerImageName.parse("confluentinc/cp-kafka:6.2.1"));
@Container
static MongoDBContainer mongoDBContainer = new MongoDBContainer("mongo:4.4.2").withExposedPorts(27017);
Because of booting the take a look at, we are able to anticipate two docker containers to begin with the offered configuration.
What is absolutely essential for the mongo container – it offers us full entry to the database utilizing only a easy connection uri. With such a function, we’re in a position to have a look what’s the present state in our collections, even throughout debug mode and ready breakpoints.
Have a look additionally on the Ryuk container – it really works like overwatch and checks if our containers have began accurately.
And right here is the final a part of the configuration:
@DynamicPropertySource
static void dataSourceProperties(DynamicPropertyRegistry registry)
registry.add("spring.kafka.bootstrap-servers", kafkaContainer::getBootstrapServers);
registry.add("spring.kafka.client.bootstrap-servers", kafkaContainer::getBootstrapServers);
registry.add("spring.kafka.producer.bootstrap-servers", kafkaContainer::getBootstrapServers);
registry.add("spring.knowledge.mongodb.uri", mongoDBContainer::getReplicaSetUrl);
static
kafkaContainer.begin();
mongoDBContainer.begin();
mongoDBContainer.waitingFor(Wait.forListeningPort()
.withStartupTimeout(Length.ofSeconds(180L)));
@BeforeTestClass
public void beforeTest()
kafkaListenerEndpointRegistry.getListenerContainers().forEach(
messageListenerContainer ->
ContainerTestUtils
.waitForAssignment(messageListenerContainer, 1);
);
@AfterAll
static void tearDown()
kafkaContainer.cease();
mongoDBContainer.cease();
DynamicPropertySource offers us the choice to set all wanted surroundings variables throughout the take a look at lifecycle. Strongly wanted for any config functions for TestContainers. Additionally, beforeTestClass kafkaListenerEndpointRegistry waits for every listener to get anticipated partitions throughout container startup.
And the final a part of the Kafka take a look at containers journey – the primary physique of the take a look at:
@Check
public void containerStartsAndPublicPortIsAvailable() throws Exception
writeToTopic("register-request", RegisterRequest.newBuilder().setId(123).setAddress("dummyAddress").construct());
//Watch for KafkaListener
TimeUnit.SECONDS.sleep(5);
Assertions.assertEquals(1, taxiRepository.findAll().measurement());
personal KafkaProducer createProducer()
return new KafkaProducer<>(kafkaProperties.buildProducerProperties());
personal void writeToTopic(String topicName, RegisterRequest... registerRequests)
strive (KafkaProducer producer = createProducer())
Arrays.stream(registerRequests)
.forEach(registerRequest ->
ProducerRecord report = new ProducerRecord<>(topicName, registerRequest);
producer.ship(report);
);
The customized producer is liable for writing our message to KafkaBroker. Additionally, it is suggested to present a while for customers to deal with messages correctly. As we see, the message was not simply consumed by the listener, but in addition saved within the MongoDB assortment.
Conclusions
As we are able to see, present options for integration checks are fairly straightforward to implement and preserve in initiatives. There is no such thing as a level in preserving simply unit checks and relying on all traces coated as an indication of code/logic high quality. Now the query is, ought to we use an Embedded answer or TestContainers? I recommend to begin with specializing in the phrase “Embedded”. As an ideal integration take a look at, we wish to get an virtually preferrred copy of the manufacturing surroundings with all properties/options included. In-memory options are good, however principally, not sufficient for big enterprise initiatives. Undoubtedly, the benefit of Embedded companies is the simple strategy to implement such checks and preserve configuration, simply when something occurs in reminiscence.
TestContainers on the first sight may seem like overkill, however they provide us a very powerful function, which is a separate surroundings. We don’t should even depend on current docker pictures – if we wish we are able to use customized ones. It is a enormous enchancment for potential take a look at eventualities.
What about Jenkins? There is no such thing as a cause to be afraid additionally to make use of TestContainers in Jenkins. I firmly suggest checking TestContainers documentation on how simply we are able to arrange the configuration for Jenkins brokers.
To sum up – if there isn’t any blocker or any undesirable situation for utilizing TestContainers, then don’t hesitate. It’s at all times good to maintain all companies managed and secured with integration take a look at contracts.