DZone
Thanks for visiting DZone today,
Edit Profile
  • Manage Email Subscriptions
  • How to Post to DZone
  • Article Submission Guidelines
Sign Out View Profile
  • Post an Article
  • Manage My Drafts
Over 2 million developers have joined DZone.
Log In / Join
Please enter at least three characters to search
Refcards Trend Reports
Events Video Library
Refcards
Trend Reports

Events

View Events Video Library

Zones

Culture and Methodologies Agile Career Development Methodologies Team Management
Data Engineering AI/ML Big Data Data Databases IoT
Software Design and Architecture Cloud Architecture Containers Integration Microservices Performance Security
Coding Frameworks Java JavaScript Languages Tools
Testing, Deployment, and Maintenance Deployment DevOps and CI/CD Maintenance Monitoring and Observability Testing, Tools, and Frameworks
Culture and Methodologies
Agile Career Development Methodologies Team Management
Data Engineering
AI/ML Big Data Data Databases IoT
Software Design and Architecture
Cloud Architecture Containers Integration Microservices Performance Security
Coding
Frameworks Java JavaScript Languages Tools
Testing, Deployment, and Maintenance
Deployment DevOps and CI/CD Maintenance Monitoring and Observability Testing, Tools, and Frameworks

Modernize your data layer. Learn how to design cloud-native database architectures to meet the evolving demands of AI and GenAI workkloads.

Secure your stack and shape the future! Help dev teams across the globe navigate their software supply chain security challenges.

Releasing software shouldn't be stressful or risky. Learn how to leverage progressive delivery techniques to ensure safer deployments.

Avoid machine learning mistakes and boost model performance! Discover key ML patterns, anti-patterns, data strategies, and more.

Related

  • Testing the Untestable and Other Anti-Patterns
  • Two Cool Java Frameworks You Probably Don’t Need
  • IntelliJ Integration for Mockito
  • Harnessing AI to Revolutionize IT Service Management: Insights from ManageEngine's Director of AI Research

Trending

  • Emerging Data Architectures: The Future of Data Management
  • *You* Can Shape Trend Reports: Join DZone's Software Supply Chain Security Research
  • Segmentation Violation and How Rust Helps Overcome It
  • Chaos Engineering for Microservices
  1. DZone
  2. Culture and Methodologies
  3. Career Development
  4. Synchronising Multithreaded Integration Tests revisited

Synchronising Multithreaded Integration Tests revisited

By 
Tomasz Nurkiewicz user avatar
Tomasz Nurkiewicz
DZone Core CORE ·
May. 07, 13 · Interview
Likes (1)
Comment
Save
Tweet
Share
8.6K Views

Join the DZone community and get the full member experience.

Join For Free

 I recently stumbled upon an article Synchronising Multithreaded Integration Tests on Captain Debug's Blog. That post emphasizes the problem of designing integration tests involving class under test running business logic asynchronously. This contrived example was given (I stripped some comments):

public class ThreadWrapper {
 
    public void doWork() {
 
        Thread thread = new Thread() {
            @Override
            public void run() {
 
                System.out.println("Start of the thread");
                addDataToDB();
                System.out.println("End of the thread method");
            }
 
            private void addDataToDB() {
                // Dummy Code...
                try {
                    Thread.sleep(4000);
                } catch (InterruptedException e) {
                    e.printStackTrace();
                }
            }
        };
 
        thread.start();
        System.out.println("Off and running...");
    }
 
}

This is only an example of common pattern where business logic is delegated to some asynchronous job pool we have no control over. Roger Hughes (the author) enumerates few techniques of testing such code, including:


  • arbitrary ("long enough") sleep() in test method to make sure background logic finishes
  • refactoring doWork() so that it accepts CountDownLatch and agrees to notify it when job is done
  • making the method above package private and @VisibleForTesting only
  • "The" solution - refactoring doWork() so that it accepts arbitrary Runnable. In test we can wrap this Runnable (decorator pattern) and wait for inner Runnable to complete
Last solution is not bad but it changes the responsibilities of ThreadWrapper significantly. Now it's up to the caller to decide what kind of job should be executed asynchronously while previously ThreadWrapper was encapsulating business logic completely. I am not saying it's a bad design, but it's drastically different from original method.

Awaitility

Can we write a test without such a massive refactoring? First solution involves handy library called Awaitility. This library is not a silver bullet, it simply evaluates given condition periodically and makes sure it's fulfilled within given time. It's the kind of code you probably wrote once or twice - wrapped in a library with well designed API. So here is our initial approach:
import static com.jayway.awaitility.Awaitility.await;
import static java.util.concurrent.TimeUnit.SECONDS;
 
//...
 
await().atMost(10, SECONDS).until(recordInserted());
 
//...
 
private Callable<Boolean> recordInserted() {
    return new Callable<Boolean>() {
        @Override
        public Boolean call() throws Exception {
            return dataExists();
        }
    };
}
I think there is nothing to explain here. dataExists() is simply a boolean method that initially returns false but will eventually return true once the background task (addDataToDB()) is done. In other words we assume that background task introduces some side effect and dataExists() can detect that side effect. BTW I happened to have JDK 8 with Lambda support installed and IntelliJ IDEA gives me this nice tooltip:



Suddenly I get this Java 8-compatible alternative suggested:
private Callable<Boolean> recordInserted() {
    return () -> dataExists();
}
But there's more:



Which transforms my code to:
private Callable<Boolean> recordInserted() {
    return this::dataExists;
}

this:: prefix means that recordInsterted is a method of current object. Just as well we can say someDao::dataExists. Simply put this syntax turns method into a function object we can pass around (this process is called eta expansion in Scala). By now recordInsterted() method is no longer that needed so I can inline it and remove it completely:

await().atMost(10, SECONDS).until(this::dataExists);

I am not sure what I love more - the new lambda syntax or how IntelliJ IDEA takes pre-Java 8 code and retrofits it for me automatically (well, it's still a bit experimental, just reported IDEA-106670). I can run this intention in IntelliJ project-wide, Lambda-enabling my whole code base in seconds. Sweet!

But back to original problem. Awaitility helps a lot by providing decent API and some handy features. I use it extensively in combination with FluentLenium. But periodically polling for state changes feels a bit like a workaround and still introduces minimal latency. But notice that running and synchronizing on asynchronous tasks is quite common and JDK already provides necessary facilities: Future abstraction!

java.util.concurrent.Future

To limit the scope of refactoring I will leave the original new Thread() approach for now and use SettableFuture<V> from Guava. It is a Future<V> implementation that allows triggering completion or failure at any time, from any thread (see DeferredResult - asynchronous processing in Spring MVC for more advanced usage). As you can see the changes are quite small:
public class ThreadWrapper {
 
    public ListenableFuture<Void> doWork() {
        final SettableFuture<Void> future = SettableFuture.<Void>create();
 
        Thread thread = new Thread() {
 
            @Override
            public void run() {
                addDataToDB()
                //...
 
                //last instruction
                future.set(null);
            }
 
            private void addDataToDB() {
                // Dummy Code...
                // ...
 
            }
 
        };
 
        thread.start();
        return future;
    }
 
}

doWork() now returns ListenableFuture<Void> with lifecycle controlled inside asynchronous task. We use Void but in reality you might want to return some asynchronous result instead. future.set(null) invocation in the end is crucial. It signals that future is fulfilled and all threads waiting for that future will be notified. Once again, in practice you would use e.g. Future<Integer> and then instead of null we would say future.set(someInteger). Here null is just a placeholder for Void type.

How does this help us? Test code can now rely on future completion:

final ListenableFuture<Void> future = wrapper.doWork();
future.get(10, SECONDS);

future.get() blocks until future is done (with timeout), i.e. until we call future.set(...). BTW I use ListenableFuture from Guava but Java 8 introduces equivalent and standard CompletableFuture - I will write about it soon.

So, we are getting somewhere. Future<T> is a useful abstraction for waiting and signalling completion of background jobs. But there is also one immense advantage of Future which are not taking, ekhm, advantage from - exception handling and propagation. Future.get() will block until future is complete and return asynchronous result or throw an exception initially thrown from our job. This is really useful for asynchronous tests. Currently if Thread.run() throws an exception it may or may not be logged or visible to us and future will never be completed. With Awaitility it's slightly better - it will timeout without any meaningful reason, which have to be tracked down manually in console/logs. But with minor modification our test is much more verbose:

public void run() {
    try {
        addDataToDB()
        //...
        future.set(null);
    } catch (Exception e) {
        future.setException(e);
    }
}

If some exception occurs in asynchronous job, it will pop-up and be shown as JUnit/TestNG failure reason.

(Listening)ExecutorService

That's it. If addDataToDB() throws an exception it will not be lost. Instead our future.get() in test will re-throw that exception for us. Our test won't simply timeout leaving us with no clue what went wrong. Great, but do we really have to create this special SettableFuture<T> instance, can't we just use existing libraries that already give us Future<T> with correct underlying implementation? Of course! By this requires further refactoring:
import com.google.common.util.concurrent.ListeningExecutorService;
import com.google.common.util.concurrent.MoreExecutors;
 
import java.util.concurrent.Executors;
import java.util.concurrent.Future;
 
public class ThreadWrapper {
 
    private final ListeningExecutorService executorService =
        MoreExecutors.listeningDecorator(
            Executors.newSingleThreadExecutor()
        );
 
    public ListenableFuture<?> doWork() {
        Runnable job = new Runnable() {
            @Override
            public void run() {
                //...
            }
        };
        return executorService.submit(job);
    }
 
}
This is what you've all been waiting for. Don't start new Thread all the time, use thread pool! I actually went one step further by using ListeningExecutorService - an extension to ExecutorService that returns ListenableFuture instances (see why you want that). But the solution doesn't require this, I just spread good practices. As you can see Future instance is now created and managed for us. The test is exactly the same but production code is cleaner and more robust.

MoreExecutors.sameThreadExecutor()

The final trick I want to show you involves dependency injection. First let's externalize the creation of a thread pool from ThreadWrapper class:

private final ListeningExecutorService executorService;
 
public ThreadWrapper() {
    this(Executors.newSingleThreadExecutor());
}
 
public ThreadWrapper(ExecutorService executorService) {
    this.executorService =
        MoreExecutors.listeningDecorator(executorService);
}

We can now optionally supply custom ExecutorService. This is good for various other reasons, but for us it opens brand new testing opportunity: MoreExecutors.sameThreadExecutor(). This time we modify our test slightly:

final ThreadWrapper wrapper = new ThreadWrapper(MoreExecutors.sameThreadExecutor());
wrapper.doWork().get();

See how we pass custom ExecutorService? It's a very special implementation that doesn't really maintain thread pool of any kind. Every time you submit() some task to that "pool" it will be executed in the same thread in a blocking manner. This means that we no longer have asynchronous test, even though the production code wasn't changed that much! wrapper.doWork() will block until "background" job finishes. The extra call to get() is still needed to make sure exceptions are propagated, but is guaranteed to never block (because the job is already done).

Using the same thread to execute asynchronous task instead of a thread pool might have an unexpected results if you somehow depend on thread-based properties, e.g. transactions, security, ThreadLocal. However if you use standard ThreadPoolExecutor with CallerRunsPolicy, JDK already behaves this way if thread pool is overflowed. So it's not that unusual.

Summary

Testing asynchronous code is hard, but you have options. Several options. But one conclusion that strikes me is the side effect of our efforts. We refactored original code in order to make it testable. But the final production code is not only testable, but also much better structured and robust. Surprisingly it's even source-code compatible with previous version as we barely changed return type from void to Future<Void>.

It seems to be a rule - testable code is often better designed and implemented. Unit test is the first client code using our library. It naturally forces us to to think more about consumers, not the implementation.




unit test intellij Integration Thread pool IT Business logic career

Published at DZone with permission of Tomasz Nurkiewicz, DZone MVB. See the original article here.

Opinions expressed by DZone contributors are their own.

Related

  • Testing the Untestable and Other Anti-Patterns
  • Two Cool Java Frameworks You Probably Don’t Need
  • IntelliJ Integration for Mockito
  • Harnessing AI to Revolutionize IT Service Management: Insights from ManageEngine's Director of AI Research

Partner Resources

×

Comments
Oops! Something Went Wrong

The likes didn't load as expected. Please refresh the page and try again.

ABOUT US

  • About DZone
  • Support and feedback
  • Community research
  • Sitemap

ADVERTISE

  • Advertise with DZone

CONTRIBUTE ON DZONE

  • Article Submission Guidelines
  • Become a Contributor
  • Core Program
  • Visit the Writers' Zone

LEGAL

  • Terms of Service
  • Privacy Policy

CONTACT US

  • 3343 Perimeter Hill Drive
  • Suite 100
  • Nashville, TN 37211
  • support@dzone.com

Let's be friends:

Likes
There are no likes...yet! 👀
Be the first to like this post!
It looks like you're not logged in.
Sign in to see who liked this post!