Testing Asynchronous Operations in Spring With Spock and Byteman

This is the second article that describes how to test asynchronous operations with the Byteman framework in an application using the Spring framework. The article discuss how to implement the Spock framework, while the first, "Testing Asynchronous Operations in Spring With JUnit and Byteman", focuses on implementing tests with JUnit4.

It's not necessary to read the previous article because all of the essentials are going to be repeated. Nevertheless, I encourage you to read that article if you are interested in testing asynchronous operations with JUnit.

If you have already read the previous article, and you still remember the test case concept, you can quickly jump to the section, "Testing Code".

So, let's get started!

In this article, we will discuss how to test operations in an application that uses a Spring context (with asynchronous operations enabled). We don’t have to change production code to achieve this.

Tests are going to be run in Spock. If you are not familiar with the Spock, I would suggest you read its documentation.

Here are some other useful links that can give you a quick introduction about Spock:

For tests, we are going to use features from the Byteman library. 

We also need to attach the “Bmunit-extension” library, which contains JUnit rules and some helper methods used during our tests. Although the BMUnitMethodRule rule was implemented for the JUnit4, it can be used in Spock as well. 

Byteman is a tool that injects Java code into your application methods or into Java runtime methods without the need for you to recompile, repackage, or even redeploy your application.

BMUnit is a package that makes it simple to use Byteman as a testing tool by integrating it into the two most popular Java test frameworks, JUnit and TestNG.

The Bmunit-extension is a small project on GitHub, which contains JUnit4 rule, which allows integration with Byteman framework and JUnit and Spock tests. It also contains a few helper methods.

In this article, we are going to use code from the demo application, which is part of the “Bmunit-extension” project. 

The source code can be found on https://github.com/starnowski/bmunit-extension/tree/feature/article_examples.

Test Case

The test case assumes that we register a new user to our application (all transactions were committed) and send an email to him/her. The email is sent asynchronously. Now, the application contains few tests that show how this case can be tested. There is no suggestion that the code implemented in the demo application for the Bmunit-extension is the only approach or even the best one. 

The primary purpose of this project is to show how such a case could be tested without any production code change while using Byteman.

In our example, we need to check the process of a new application user registration process. Let’s assume that the application allows user registration via a REST API. So, a client sends a request with user data. A controller then handles the request. 

When the database transaction has occurred, but before the response has been set, the controller invokes an Asynchronous Executor to send an email to a user with a registration link (to confirm their email address).

The whole process is presented in the sequence diagram below.

User sign up workflow

User sign up workflow

Now, I am guessing that this might not be the best approach to register users. It would probably be better to use some kind of scheduler component, which checks if there is an email to send — not to mention that for larger applications, a separate microservice would be more suitable. 

Let’s assume that for an application that does not have a problem with available threads.

Implementation for our REST Controller:

Java
 




xxxxxxxxxx
1
13


 
1
@RestController
2
public class UserController {
3
4
    @Autowired
5
    private UserService service;
6
7
    @ResponseBody
8
    @PostMapping("/users")
9
    public UserDto post(@RequestBody UserDto dto)
10
    {
11
        return service.registerUser(dto);
12
    }
13
}



Service that handles the User object:

Java
 




xxxxxxxxxx
1
22


 
1
@Service
2
public class UserService {
3
 
          
4
    @Autowired
5
    private PasswordEncoder passwordEncoder;
6
    @Autowired
7
    private RandomHashGenerator randomHashGenerator;
8
    @Autowired
9
    private MailService mailService;
10
    @Autowired
11
    private UserRepository repository;
12
 
          
13
    @Transactional
14
    public UserDto registerUser(UserDto dto)
15
    {
16
        User user = new User().setEmail(dto.getEmail()).setPassword(passwordEncoder.encode(dto.getPassword())).setEmailVerificationHash(randomHashGenerator.compute());
17
        user = repository.save(user);
18
        UserDto response = new UserDto().setId(user.getId()).setEmail(user.getEmail());
19
        mailService.sendMessageToNewUser(response, user.getEmailVerificationHash());
20
        return response;
21
    }
22
}



A service that handles mail messages:

Java
 




xxxxxxxxxx
1
32


 
1
@Service
2
public class MailService {
3
 
          
4
    @Autowired
5
    private MailMessageRepository mailMessageRepository;
6
    @Autowired
7
    private JavaMailSender emailSender;
8
    @Autowired
9
    private ApplicationEventPublisher applicationEventPublisher;
10
 
          
11
    @Transactional
12
    public void sendMessageToNewUser(UserDto dto, String emailVerificationHash)
13
    {
14
        MailMessage mailMessage = new MailMessage();
15
        mailMessage.setMailSubject("New user");
16
        mailMessage.setMailTo(dto.getEmail());
17
        mailMessage.setMailContent(emailVerificationHash);
18
        mailMessageRepository.save(mailMessage);
19
        applicationEventPublisher.publishEvent(new NewUserEvent(mailMessage));
20
    }
21
 
          
22
    @Async
23
    @TransactionalEventListener
24
    public void handleNewUserEvent(NewUserEvent newUserEvent)
25
    {
26
        SimpleMailMessage message = new SimpleMailMessage();
27
        message.setTo(newUserEvent.getMailMessage().getMailTo());
28
        message.setSubject(newUserEvent.getMailMessage().getMailSubject());
29
        message.setText(newUserEvent.getMailMessage().getMailContent());
30
        emailSender.send(message);
31
    }
32
}



Test Code

To see how to attach all Byteman and Bmunit-extension dependencies, please check the section "How to attach project".

Let’s go test some code:

Groovy
 




xxxxxxxxxx
1
52


 
1
@SqlGroup([@Sql(value = CLEAR_DATABASE_SCRIPT_PATH,
2
        config = @SqlConfig(transactionMode = ISOLATED),
3
        executionPhase = BEFORE_TEST_METHOD),
4
        @Sql(value = CLEAR_DATABASE_SCRIPT_PATH,
5
                config = @SqlConfig(transactionMode = ISOLATED),
6
                executionPhase = AFTER_TEST_METHOD)])
7
@EnableAsync
8
@SpringBootTest(webEnvironment=SpringBootTest.WebEnvironment.RANDOM_PORT)
9
class UserControllerSpockItTest extends Specification {
10
 
          
11
    @Rule
12
    public BMUnitMethodRule bmUnitMethodRule = new BMUnitMethodRule()
13
    @Rule
14
    public final GreenMailRule greenMail = new GreenMailRule(ServerSetupTest.SMTP_IMAP)
15
 
          
16
    @Autowired
17
    UserRepository userRepository
18
    @Autowired
19
    TestRestTemplate restTemplate
20
    @LocalServerPort
21
    private int port
22
 
          
23
    @Unroll
24
    @BMUnitConfig(verbose = true, bmunitVerbose = true)
25
    @BMRules(rules = [
26
            @BMRule(name = "signal thread waiting for mutex \"UserControllerSpockItTest.shouldCreateNewUserAndSendMailMessageInAsyncOperation\"",
27
                    targetClass = "com.github.starnowski.bmunit.extension.junit4.spock.spring.demo.services.MailService",
28
                    targetMethod = "handleNewUserEvent(com.github.starnowski.bmunit.extension.junit4.spock.spring.demo.util.NewUserEvent)",
29
                    targetLocation = "AT EXIT",
30
                    action = "joinEnlist(\"UserControllerSpockItTest.shouldCreateNewUserAndSendMailMessageInAsyncOperation\")")]
31
    )
32
    def "should send mail message and wait until async operation is completed"() throws IOException, MessagingException {
33
        given:
34
            assertThat(userRepository.findByEmail(expectedEmail)).isNull();
35
            UserDto dto = new UserDto().setEmail(expectedEmail).setPassword("XXX");
36
            createJoin("UserControllerSpockItTest.shouldCreateNewUserAndSendMailMessageInAsyncOperation", 1);
37
            assertEquals(0, greenMail.getReceivedMessages().length);
38
 
          
39
        when:
40
            UserDto responseEntity = restTemplate.postForObject(new URI("http://localhost:" + port + "/users"), (Object) dto, UserDto.class);
41
            joinWait("UserControllerSpockItTest.shouldCreateNewUserAndSendMailMessageInAsyncOperation", 1, GROOVY_TEST_ASYNC_OPERATION_TIMEOUT);
42
 
          
43
        then:
44
            assertThat(userRepository.findByEmail(expectedEmail)).isNotNull();
45
            assertThat(greenMail.getReceivedMessages().length).isEqualTo(1);
46
            assertThat(greenMail.getReceivedMessages()[0].getSubject()).contains("New user");
47
            assertThat(greenMail.getReceivedMessages()[0].getAllRecipients()[0].toString()).contains(expectedEmail);
48
 
          
49
        where:
50
            expectedEmail   << ["szymon.doe@nosuch.domain.com", "john.doe@gmail.com","marry.doe@hotmail.com", "jack.black@aws.eu"]
51
    }
52
}



The test class needs to contain an object of type BMUnitMethodRule (line 12) to load Byteman rules. 

The BMRule annotation is part of the BMUnit project. All options, including name, targetClass (line 27), targetMethod (line 28),  targetLocation (line 29), and action (line 30) refers to the specific section in the Byteman rule language section. The options, targetClass, targetMethod, and targetLocation are used at a specified point in Java code, after which the rule should be executed.

The action option defines what should be done after reaching the rule point. If you would like to know more about the Byteman rule language, then please check their Developer guide.

The purpose of this test method is to confirm that the new application user can be registered via the REST API controller and that the application sends an email to the user with registration details. The last thing the test confirms is that the method triggers an Asynchronous Executor that sends an email.

To do that, we need to use a "Joiner” mechanism. From the Developer Guide for Byteman, we can find out that the Joiners are useful in situations where it is necessary to ensure that a thread does not proceed until one or more related threads have exited.

Generally, when we create a Joiner, we need to specify the identification and number of thread which needs to join. In the given (line 33) section we execute BMUnitUtils#createJoin(Object, int) to create:
UserControllerSpockItTest.shouldCreateNewUserAndSendMailMessageInAsyncOperationjoiner with one as the expected number of threads. We expect that the thread responsible for sending is going to join.

To achieve this, we need to (via BMRule annotation) set that after the method exits (targetLocation option with the value, “AT EXIT”). Then, specific action need be done which executes Helper#joinEnlist(Object key). This method does not suspend the current thread in which it was called.

In the when section (line 39), besides executing testes method, we invoke BMUnitUtils#joinWait(Object, int, long) to suspend test thread to wait until the number of joined threads for the Joiner, UserControllerSpockItTest.shouldCreateNewUserAndSendMailMessageInAsyncOperationreach expected value. In case when there won’t be expected number of joined threads, then execution is going to reach a timeout, and certain exceptions is going to be thrown.

In the then (line 43) section, we check if the user was created, and email with correct content was sent. 

This test could be done without changing source code thanks to Byteman. It also could be done with basic java mechanism, but it would also require changes in source code.

First, we have to create a component with CountDownLatch.

Java
 




xxxxxxxxxx
1
29


 
1
@Component
2
public class DummyApplicationCountDownLatch implements IApplicationCountDownLatch{
3
 
          
4
    private CountDownLatch mailServiceCountDownLatch;
5
 
          
6
    @Override
7
    public void mailServiceExecuteCountDownInHandleNewUserEventMethod() {
8
        if (mailServiceCountDownLatch != null) {
9
            mailServiceCountDownLatch.countDown();
10
        }
11
    }
12
 
          
13
    @Override
14
    public void mailServiceWaitForCountDownLatchInHandleNewUserEventMethod(int milliseconds) throws InterruptedException {
15
        if (mailServiceCountDownLatch != null) {
16
            mailServiceCountDownLatch.await(milliseconds, TimeUnit.MILLISECONDS);
17
        }
18
    }
19
 
          
20
    @Override
21
    public void mailServiceResetCountDownLatchForHandleNewUserEventMethod() {
22
        mailServiceCountDownLatch = new CountDownLatch(1);
23
    }
24
 
          
25
    @Override
26
    public void mailServiceClearCountDownLatchForHandleNewUserEventMethod() {
27
        mailServiceCountDownLatch = null;
28
    }
29
}



There are also changes required in the MailService so that the specific methods for type DummyApplicationCountDownLatch would be executed. 

Java
 




xxxxxxxxxx
1
25


 
1
@Autowired
2
    private IApplicationCountDownLatch applicationCountDownLatch;
3
 
          
4
    @Transactional
5
    public void sendMessageToNewUser(UserDto dto, String emailVerificationHash)
6
    {
7
        MailMessage mailMessage = new MailMessage();
8
        mailMessage.setMailSubject("New user");
9
        mailMessage.setMailTo(dto.getEmail());
10
        mailMessage.setMailContent(emailVerificationHash);
11
        mailMessageRepository.save(mailMessage);
12
        applicationEventPublisher.publishEvent(new NewUserEvent(mailMessage));
13
    }
14
 
          
15
    @Async
16
    @TransactionalEventListener
17
    public void handleNewUserEvent(NewUserEvent newUserEvent)
18
    {
19
        SimpleMailMessage message = new SimpleMailMessage();
20
        message.setTo(newUserEvent.getMailMessage().getMailTo());
21
        message.setSubject(newUserEvent.getMailMessage().getMailSubject());
22
        message.setText(newUserEvent.getMailMessage().getMailContent());
23
        emailSender.send(message);
24
        applicationCountDownLatch.mailServiceExecuteCountDownInHandleNewUserEventMethod();
25
    }



After applying those changes, we can implement the following test class:

Groovy
 




xxxxxxxxxx
1
48


 
1
@SqlGroup([@Sql(value = CLEAR_DATABASE_SCRIPT_PATH,
2
        config = @SqlConfig(transactionMode = ISOLATED),
3
        executionPhase = BEFORE_TEST_METHOD),
4
        @Sql(value = CLEAR_DATABASE_SCRIPT_PATH,
5
                config = @SqlConfig(transactionMode = ISOLATED),
6
                executionPhase = AFTER_TEST_METHOD)])
7
@EnableAsync
8
@SpringBootTest(webEnvironment= RANDOM_PORT)
9
class UserControllerSpockItTest extends Specification {
10
 
          
11
    @Rule
12
    public final GreenMailRule greenMail = new GreenMailRule(ServerSetupTest.SMTP_IMAP)
13
 
          
14
    @Autowired
15
    UserRepository userRepository
16
    @Autowired
17
    TestRestTemplate restTemplate
18
    @LocalServerPort
19
    private int port
20
    @Autowired
21
    private IApplicationCountDownLatch applicationCountDownLatch
22
 
          
23
    def cleanup() {
24
        applicationCountDownLatch.mailServiceClearCountDownLatchForHandleNewUserEventMethod()
25
    }
26
 
          
27
    @Unroll
28
    def "should send mail message and wait until async operation is completed, the test e-mail is #expectedEmail"() throws IOException, MessagingException {
29
        given:
30
            assertThat(userRepository.findByEmail(expectedEmail)).isNull()
31
            UserDto dto = new UserDto().setEmail(expectedEmail).setPassword("XXX")
32
            applicationCountDownLatch.mailServiceResetCountDownLatchForHandleNewUserEventMethod()
33
            assertEquals(0, greenMail.getReceivedMessages().length)
34
 
          
35
        when:
36
            restTemplate.postForObject(new URI("http://localhost:" + port + "/users"), (Object) dto, UserDto.class)
37
            applicationCountDownLatch.mailServiceWaitForCountDownLatchInHandleNewUserEventMethod(15000)
38
 
          
39
        then:
40
            assertThat(userRepository.findByEmail(expectedEmail)).isNotNull()
41
            assertThat(greenMail.getReceivedMessages().length).isEqualTo(1)
42
            assertThat(greenMail.getReceivedMessages()[0].getSubject()).contains("New user")
43
            assertThat(greenMail.getReceivedMessages()[0].getAllRecipients()[0].toString()).contains(expectedEmail)
44
 
          
45
        where:
46
            expectedEmail   << ["szymon.doe@nosuch.domain.com", "john.doe@gmail.com","marry.doe@hotmail.com", "jack.black@aws.eu"]
47
    }
48
}



Summary

The Byteman allows for testing asynchronous operations in an application without changing its source code. The same test cases can be tested without the Byteman, but it would require changes to source code.


Further Reading

Unit Testing With Mockito

 

 

 

 

Top