Skip to content
Home » Blog » Flexible Mock

Flexible Mock

TL; DR;

Simplifying Apex Mocking with a flexible Stub class which can replace any “mockable” method call and argument combination.

See on GitHub (link) or also below (in full)

The Problem

Unit tests are hard. At least good unit tests are. So often you see repeating complicated setup code which creates dozens of dependent records so that the code baked into triggers can actually be even executed. And because of that all the tests are so slow you only ever run them when you really really have to.

One of the ways of improving the above situation is to use Mocking. This allows to not work with the database so much and therefore skip all the time consuming Apex Trigger trips and complicated logic to setup all the required data*. What I want to talk about here is a little test utility class I created after having repeated a similar thing in a few test scenarios. 

Being able to do this is not always so simple and requires code to be organised a certain way. Also mocking isn’t really just about faking SOQL. Let’s not get into that in here though.

It’s not really mean to be the perfect final solution. But I think it could help with the first steps if you’re not that comfortable with the concept yet. One day you’ll want to graduate to something more sophisticated like Apex Mocks though.

A few days after posting this I listened to Suraj Pillai talk about his Universal Mock on the Salesforce Way podcast. While my solution can work with method argument values, his is a lot more polished one. Make sure to check it out.

Repeating Story

A few times I found myself creating an inner class inside a Test class, which would be initialised by a bunch of tests with lists of records to return when called. I’d then use that to “mock out” a singleton Service class.

Here’s an example:

public class CampaignEmailReminderServiceMock implements System.StubProvider {
    private List<ADvendio__MediaCampaign__c> mockCampaigns;
    private Boolean throwExceptionDuringSend;
 
    public CampaignEmailReminderServiceMock(List<ADvendio__MediaCampaign__c> mockCampaigns, Boolean throwExceptionDuringSend) {
        this.mockCampaigns = mockCampaigns;
        this.throwExceptionDuringSend = throwExceptionDuringSend;
    }
 
    public Object handleMethodCall(
        Object stubbedObject,
        String stubbedMethodName,
        Type returnType,
        List<Type> listOfParamTypes,
        List<String> listOfParamNames,
        List<Object> listOfArgs
    ) {
        if ('getMatchingCampaigns'.equals(stubbedMethodName)) {
            return this.mockCampaigns;
        } else if ('sendNotificationEmails'.equals(stubbedMethodName)) {
            if (this.throwExceptionDuringSend) {
                throw new CampaignEmailReminderServiceMockException('Mock Exception');
            } else {
                mockSendEmailsInvocationCount++;
            }
        }
        return null;
    }
}

The real service class starts with a test accessible private static member to hold the mock version. It can be set by Unit Tests that need it and live code calling the public newInstance() method is none the wiser.

public with sharing class CampaignEmailReminderService {
 
   @TestVisible
   private static CampaignEmailReminderService mockInstance;
   public static CampaignEmailReminderService newInstance(CampaignEmailReminderSetting setting) {
       if (mockInstance != null) {
           return mockInstance;
       }
       return new CampaignEmailReminderService(setting);
   }
...

Each tests can prepare a list of records and make sure that those are returned by the Reminder Service:

CampaignEmailReminderService.mockInstance = (CampaignEmailReminderService) Test.createStub(
    CampaignEmailReminderService.class,
    new CampaignEmailReminderServiceMock(new List<ADvendio__MediaCampaign__c>{ new ADvendio__MediaCampaign__c() }, false)
);

The Solution Improvement

As I mentioned, I’ve done something similar a few times and naturally wanted to make it a bit less repetitive. Oftentimes there are many different services or selectors contributing input to the tested part of the application. They all need to be mocked to get the full benefit from the approach.

So I built myself a reusable class for mocking different methods. It allows me to register multiple methodName and argument combinations and what I would like returned given those combinations. 

The return type is Object so as to be able to mock anything. I’m hashing the argument lists and using that as the key in a map of results for the same method name. 

@IsTest
public class FlexibleMock implements System.StubProvider {
   private Map<String, Map<Integer, Object>> mockMethodAndArgumentResults;
 
   public FlexibleMock() {
       this.mockMethodAndArgumentResults = new Map<String, Map<Integer, Object>>();
   }

   public Object stub(Type mockedType) {
       return Test.createStub(mockedType, this);
   }
 
   public FlexibleMock mockMethodCall(String methodName, List<Object> argumentList, Object returnValue) {
       Integer hashCode = argumentList.hashCode();
       if (!this.mockMethodAndArgumentResults.containsKey(methodName)) {
           this.mockMethodAndArgumentResults.put(methodName, new Map<Integer, Object>{ hashCode => returnValue });
       } else {
           this.mockMethodAndArgumentResults.get(methodName).put(hashCode, returnValue);
       }
       return this;
   }
 
   public Object handleMethodCall( 
       Object stubbedObject,
       String stubbedMethodName,
       Type returnType,
       List<Type> listOfParamTypes,
       List<String> listOfParamNames,
       List<Object> listOfArgs
   ) {
       Integer argumentHash = listOfArgs != null ? listOfArgs.hashCode() : null;
       if (!this.mockMethodAndArgumentResults.containsKey(stubbedMethodName)) {
           throw new FlexibleMockException('Method mock results not registered: ' + stubbedMethodName);
       }
       Map<Integer, Object> methodMocks = this.mockMethodAndArgumentResults.get(stubbedMethodName);
       if (!methodMocks.containsKey(argumentHash)) {
           throw new FlexibleMockException(stubbedMethodName + ' mock results arguments not registered ' + argumentHash);
       }
       return methodMocks.get(argumentHash);
   }
 
   private class FlexibleMockException extends Exception {
   }
}

Limitations

So far this has worked well for me but it could definitely have problems. For instance using SObject arguments. Any difference in populated fields of the SObject instance will lead to a different hash code even though the field could be inconsequential to the method being mocked. We usually have full control over test data if we are mocking everything but it’s something to remember.

Of course the mocked classes have to be mockable in the first place. But that was not the point of this article. Neither is the way Mocks replace real objects. I focus on that a little bit in my next post (link) however.

Example Use Case 

I plucked out a test method from my one of my projects (obscuring it ever so slightly) to add a bigger example of what the use of FlexibleMock can look like. It doesn’t matter what the test really does.

In general I need to prepare all my test records and then register mock versions of the classes with a Class Factory (mentioned already). I can have multiple instances of FlexibleMock or just re-use the same one. Whichever I find easier in the given scenario.

@IsTest
static void testSomeStuff() {
    Id ultimateParentId = TestUtilities.getFakeId(Account.getSObjectType());
    Account testAccount = childAccount(ultimateParentId);
    Account testChildAccount = childAccount(testAccount.Id, ultimateParentId);
 
    ADvendio__Commitment__c currentCommitment = currentCommitment(
        ultimateParentId,
        CommitmentParticipationService.CONTRACT_TYPE_COOPERATION
    );
 
    FlexibleMock mocks = new FlexibleMock()
        .mockMethodCall(
            'selectActiveCommitmentsByAccountId',
            new List<Object>{ new Set<Id>{ ultimateParentId } },
            new List<ADvendio__Commitment__c>{ currentCommitment }
        )
        .mockMethodCall(
            'findAllChildAccounts',
            new List<Object>{ new List<Account>{ testAccount } },
            new List<Account>{ testChildAccount }
        )
        .mockMethodCall('findAllChildAccounts', new List<Object>{ new List<Account>{ testChildAccount } }, new List<Account>())
        .mockMethodCall(
            'selectActiveCommitmentParticipationsByAccountId',
            new List<Object>{ new Set<Id>{ testAccount.Id, testChildAccount.Id } },
            new List<ADvendio__AccountCommitmentAssignment__c>()
        );
    ClassFactory.setMock(CommitmentSelector.class,  mocks.stub(CommitmentSelector.class));
    ClassFactory.setMock(
        CommitmentParticipationSelector.class,
        mocks.stub(CommitmentParticipationSelector.class)
    );
    ClassFactory.setMock(AccountService.class, mocks.stub(AccountService.class));
...

This does not look very clean, does it. The FlexibleMock is not really at fault though. Just like the building of test records can be delegated to some helper test factory methods I can make this better by taking the mock “registration” out of the individual test methods. 

All the tests in the class do more or less the same thing. Which means they use the same Services and Selectors. Registering a selector that’s not strictly needed in one test, but is used in a bunch of others, is an acceptable redundancy for me here.

private static FlexibleMock getMockService() {
    FlexibleMock mocks = new FlexibleMock();
    ClassFactory.setMock(CommitmentSelector.class, mocks.stub(CommitmentSelector.class));
    ClassFactory.setMock(
        CommitmentParticipationSelector.class,
        mocks.createStub(CommitmentParticipationSelector.class)
    );
 
    ClassFactory.setMock(AccountService.class, mocks.stub(AccountService.class)) 
    ClassFactory.setMock(MediaCampaignSelector.class, mocks.stub(MediaCampaignSelector.class));
    return mocks;
}

It’s a bit cleaner this way. I only have to deal with the specific method calls I need in the given test. It’s still pretty wordy, but I found this to be quite enough. Depending on how many different test combinations there are and how similar their data, one could take this a bit further and externalise the full “setup”. But in my case this seemed unnecessary. This seems clean enough to me.

@IsTest
static void testSumeStuff() {
    Id ultimateParentId = TestUtilities.getFakeId(Account.getSObjectType());
    Account testAccount = childAccount(ultimateParentId);
    Account testChildAccount = childAccount(testAccount.Id, ultimateParentId);
 
    ADvendio__Commitment__c currentCommitment = currentCommitment(
        ultimateParentId,
        CommitmentParticipationService.CONTRACT_TYPE_COOPERATION
    );
 
    getMockService()
        .mockMethodCall(
            'selectActiveCommitmentsByAccountId',
            new List<Object>{ new Set<Id>{ ultimateParentId } },
            new List<ADvendio__Commitment__c>{ currentCommitment }
        )
        .mockMethodCall(
            'findAllChildAccounts',
            new List<Object>{ new List<Account>{ testAccount } },
            new List<Account>{ testChildAccount }
        )
        .mockMethodCall('findAllChildAccounts', new List<Object>{ new List<Account>{ testChildAccount } }, new List<Account>())
        .mockMethodCall(
            'selectActiveCommitmentParticipationsByAccountId',
            new List<Object>{ new Set<Id>{ testAccount.Id, testChildAccount.Id } },
            new List<ADvendio__AccountCommitmentAssignment__c>()
        );

Where to next

SFDX GitHub Code Review – Part 2

SFDX GitHub Code Review – Part 2

May 20, 202211 min read

TL; DR; Finding the right “position” in the diff view for a GitHub Review Comment from a line number in…

Eliška Bušáková

Eliška Bušáková

Sep 8, 20226 min read

TL; DR; WiT community group leader Eliška Bušáková recommends to not be afraid to face challenges head on. Intro Hi,…

0 0 votes
Article Rating
Subscribe
Notify of
guest
2 Comments
Oldest
Newest Most Voted
Inline Feedbacks
View all comments
trackback
Class Factory - Pragmatic Bear's Salesforce 201
2 years ago

[…] Inside a test method we tell the Class Factory to replace AccountSelector with an instance of FlexibleMock. If you are wondering what that is, check out my previous post (link). […]

trackback
DML (Mock) Service - Pragmatic Bear's Salesforce 201
2 years ago

[…] planning to update the error mocking to use the FlexibleMock as fake DmlException to throw. That way it could actually return all the details in case calling […]

2
0
Would love your thoughts, please comment.x
()
x