Using mockito in java

If you’ve spent any time writing unit tests then you’ll know that it’s not always straight-forward. Certain things are inherently hard to test. In this post I’ll show you the basic principles of creating mock objects with a little help from the Mockito mocking tool.


One common problem faced when unit testing is how to test one object when it is dependant on another object. You could create instances of both the object under test and the dependent object and test them both together, however testing aggregated objects is not what unit testing is about – unit tests should test individual objects for their correct behaviour, not aggregations of objects! Moreover, this approach just won’t work if the dependent object hasn’t even been implemented yet.


A common technique for handling dependencies in unit tests is to provide a surrogate, or “mock” object, for the dependent object instead of a real one. The mock object will implement a simplified version of the real objects methods that return predictable results and can be used for testing purposes.


The drawback of this approach is that in a complex application, you could find yourself creating a lot of mock objects. This is where frameworks like Mockito can save you a lot of time and effort.
A Test Scenario


To demonstrate what you can do with Mockito, we’ll examine how we might test an Account object that is dependant on a data access object (AccountDAO).  The account object can calculate the charges applicable in the current month by using the DAO to count the number of days overdrawn and then performing a simple calculation on the value obtained from that call. The method names on the classes we’ll use are self-explanatory:


AccountAndDAO
To test this thoroughly, we should test two things:


   1. that the account obtains the number of overdrawn days by calling the correct method on the DAO,
   2. that the account calculates the correct fees based upon the value it gets back from the call.


Testing that the account calls the correct method on the DAO


Using JUnit to run the test case, we could write something like this:
01.import static org.mockito.Mockito.*;
02. 
03.public class TestAccount {
04.@Test
05.public void checkAccountCallsDaoMethods() {
06.//create the object under test
07.Account account = new Account();
08. 
09.//create a mock DAO
10.AccountDAO mockedDao = mock(AccountDAO.class); 
11. 
12.//associate the mocked DAO with the object under test
13.account.setDAO(dao);
14. 
15.//call the method under test
16.long charge = account.calculateCharges();
17. 
18.//verify that the 'countOverdrawnDaysThisMonth' was called
19.verify(mockedDao).countOverdrawnDaysThisMonth();
20.}
21.}


Taking centre stage in all this is the Mockito class which has a bunch of static methods that are used within the unit test (note the static import on line 1).


The call to the ‘mock’ method (line 10) creates a mock object that can be used in place of a real AccountDAO. The call to ‘verify’ (line 19), will throw an exception if the ‘countOverdrawnDaysThisMonth’ method was not called on the mock object.


It is worth noting here that this is a simple example which just demonstrates the basic principle of verification, it is also possible to use the verify method to check for parameter values and ranges in the method call too.
Testing that the account performs its calculations correctly


In the above example, we mocked the DAO but didn’t specify what any of the mocked methods should do. In this case, all methods will return sensible default values of: null, zero or false. More commonly we need to specify something other than these defaults when writing our tests:
01.import static org.mockito.Mockito.*;
02.import static junit.framework.Assert.*;
03.import org.junit.*;
04. 
05.public class TestAccount {
06.private Account account;
07. 
08.@Before
09.public void setup() {
10.AccountDAO mockedDao = mock(AccountDAO.class);
11. 
12.//specify that this method on the mock object should return 8
13.when(mockedDao.countOverdrawnDaysThisMonth()).thenReturn(8);
14. 
15.account = new Account();
16.account.setDAO(dao);
17.}
18. 
19.@Test
20.public void checkChargesWhenOverdrawn() {
21.//call the method under test
22.long charge = account.calculateCharges();
23. 
24.//assert that the charge was £2 per day overdrawn
25.assertEquals(charge, 16);
26.}
27.}


The statement on line 18 specifies that whenever the ‘countOverdrawnDaysThisMonth’ is called it should return a value of 8; overriding the default of zero.


Given that the correct charge is two pounds (or dollars) per day overdrawn, then the assertion on line 25 will pass if the account performed the correct calculation (8 x 2 = 16 right).
Comments


There’s loads more to Mockito than we’ve looked at here. It’s a neat testing tool that works great with JUnit or TestNG. I’ve found that it’s small enough to learn quickly and capable enough to be really useful. Give it a go and write a comment below to let me know what you think of it
### Java Mocking Frameworks and Techniques Mocking frameworks play an essential role in unit testing by allowing developers to isolate code under test from its dependencies. For Java applications, several popular mocking libraries provide powerful features for creating mock objects. #### Mockito One widely used library is **Mockito**, which offers a simple yet effective way to create mocks without requiring extensive setup or configuration[^1]. With Mockito, one can easily define behavior for methods using `when()` and verify interactions with `verify()`. Here’s how it works: ```java import static org.mockito.Mockito.*; // Create a mock object List<String> mockedList = mock(List.class); // Stubbing method calls when(mockedList.get(0)).thenReturn("first"); // Using the mocked object within tested logic String result = mockedList.get(0); // returns "first" // Verifying interaction verify(mockedList).get(0); ``` #### EasyMock Another option available is **EasyMock**, known for its record-replay paradigm where expectations about method invocations are recorded before replaying them during actual execution[^2]. ```java import org.easymock.EasyMock; // Record phase List<String> listMock = EasyMock.createMock(List.class); listMock.add(EasyMock.anyObject()); EasyMock.replay(listMock); // Replay phase (actual usage) listMock.add("item"); EasyMock.verify(listMock); ``` #### JMockit For more advanced use cases involving partial mocks or verifying private method calls, consider adopting **JMockit** as part of your toolkit[^3]. This framework supports both state-based verification and behavioral testing through flexible APIs. ```java import mockit.Expectations; import mockit.Injectable; import mockit.Mocked; public void testExample(@Injectable final Dependency dep) { new Expectations() {{ dep.someMethod(); times = 1; result = true; }}; // Code being tested... } ``` #### PowerMock When dealing with legacy systems that contain static methods or constructors needing stubbing, **PowerMock** extends standard capabilities found in other tools like Mockito or EasyMock[^4]. It allows manipulation at bytecode level enabling deeper control over class loading mechanisms. ```xml <!-- Maven dependency --> <dependency> <groupId>org.powermock</groupId> <artifactId>powermock-module-junit4</artifactId> <version>${powermock.version}</version> <scope>test</scope> </dependency> <dependency> <groupId>org.powermock</groupId> <artifactId>powermock-api-mockito2</artifactId> <version>${powermock.version}</version> <scope>test</scope> </dependency> ```
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值