使用静态方法使用PowerMockito时出现异常

问题描述 投票:2回答:2

我想使用PowerMockito模拟静态方法,

public class DepedencyService {

    public static int getImportantValue() {
        return -4;
    }
}

public class Component {

    public int componentMethod() {
        return DepedencyService.getImportantValue();
    }
}

但它给了我一个例外。

import static org.testng.Assert.assertEquals;
import org.easymock.EasyMock;
import org.junit.Test;
import org.junit.runner.RunWith;
import org.powermock.api.mockito.PowerMockito;
import org.powermock.core.classloader.annotations.PrepareForTest;
import org.powermock.modules.junit4.PowerMockRunner;

@RunWith(PowerMockRunner.class)
@PrepareForTest(DepedencyService.class)
public class ComponentTest {
    @Test
    public void testComponentMethod() {
        Component c = new Component();
        PowerMockito.mockStatic(DepedencyService.class);
        EasyMock.expect(DepedencyService.getImportantValue()).andReturn(1);
        assertEquals(1, c.componentMethod());
    }
}

例外: -

java.lang.IllegalStateException:org.easymock.EasyMock.expect上的org.easymock.EasyMock.getControlForLastCall(EasyMock.java:520)上可用的模拟上没有最后一次调用(EasyMock.java:498)

谁能帮帮我吗?为什么这会失败?我是PowerMockito的新手,不知道该怎么做!

java unit-testing junit mockito powermockito
2个回答
0
投票

你似乎在混合模拟框架。

在执行测试之前,您需要正确排列静态依赖项

由于PowerMockito用于模拟静态类,因此您应该使用Mockito来安排预期的行为

例如

@RunWith(PowerMockRunner.class)
@PrepareForTest(DepedencyService.class)
public class ComponentTest {
    @Test
    public void testComponentMethod() {
        //Arrange        
        int expected = 1;
        PowerMockito.mockStatic(DepedencyService.class);
        Mockito.when(DepedencyService.getImportantValue()).thenReturn(expected);
        Component subject = new Component();

        //Act
        int actual = subject.componentMethod();

        //Assert
        assertEquals(expected, actual);
    }
}

也就是说,我建议不要让你的代码与静态依赖关系紧密耦合。这使得测试代码变得困难。


2
投票

您的主要问题是您正在编写STUPID code(就像我们大多数人在开始时所做的那样),您应该编写SOLID代码。

运用 Powermock 只是对这种糟糕设计的投降。

是的,只有static方法的类称为实用程序类。

但是你应该克服这种误解,即提供共同行为的类应该(仅)使用static方法。

根据经验,在整个程序中应该只有一个非私人static方法,这就是main()

© www.soinside.com 2019 - 2024. All rights reserved.