5

我的情况:

我想添加一个新的测试。我需要模拟 Service 类的一个静态方法 X。不幸的是,现有测试以某种方式使用这种静态方法。

当我使用 PowerMock 模拟 X 方法时,其他测试失败了。更重要的是我不应该接触其他测试。

是否有机会仅为一项测试模拟静态方法?(使用 PowerMock)。

提前致谢。

4

3 回答 3

1

解决问题的最简单方法是创建新的测试类并将测试放在那里。

你也可以在你的代码中用隐藏在接口后面的普通类来包装这个静态类,并在你的测试中存根这个接口。

您可以尝试的最后一件事是使用以下方法在 @SetUp 方法中存根静态类的每个方法:

Mockito.when(StaticClass.method(param)).thenCallRealMethod();

并在您的测试中使用存根特定方法: Mockito.when(Static.methodYouAreInterested(param)).thenReturn(value);

于 2013-06-21T07:52:02.650 回答
1

当然,这是可能的!唯一可能遇到问题的情况是,如果您尝试同时测试多个线程……我在下面举了一个示例来说明如何做到这一点。享受。

import org.junit.Test;
import org.junit.runner.RunWith;
import org.powermock.api.easymock.PowerMock;
import org.powermock.core.classloader.annotations.PrepareForTest;
import org.powermock.modules.junit4.PowerMockRunner;

import static org.easymock.EasyMock.*;

import static org.junit.Assert.*;
@RunWith(PowerMockRunner.class)
@PrepareForTest(IdGenerator.class)
public class TestClass {

    @Test
    public void yourTest()
    {
        ServiceRegistrator serTestObj = new ServiceRegistrator();

        PowerMock.mockStatic(IdGenerator.class);
        expect(IdGenerator.generateNewId()).andReturn(42L);
        PowerMock.replay(IdGenerator.class);
        long actualId = IdGenerator.generateNewId();

        PowerMock.verify(IdGenerator.class);
        assertEquals(42L,actualId);
     }

    @Test
    public void unaffectedTest() {
        long actualId = IdGenerator.generateNewId();

        PowerMock.verify(IdGenerator.class);
        assertEquals(3L,actualId);
    }
}

测试类

public class IdGenerator {
     public static long generateNewId()
      {
        return 3L;
      }
}
于 2013-06-26T11:27:25.183 回答
1

对于那些希望使用带有 PowerMocks 的 Mockito 来实现这一点的人来说,这可以通过将@PrepareForTest注释添加到需要模拟值而不是测试类本身的测试本身来完成。

在这个例子中,我们假设有SomeClass一个静态函数 ( returnTrue()) 总是true像这样返回:

public class SomeClass {
    public static boolean returnTrue() {
        return true;
    }
}

这个例子展示了我们如何在一个测试中模拟出静态调用,并允许原始功能在另一个测试中保持不变。

@RunWith(PowerMockRunner.class)
@Config(constants = BuildConfig.class)
@PowerMockIgnore({"org.mockito.*", "android.*"})
public class SomeTest {

  /** Tests that the value is not mocked out or changed at all. */
  @Test
  public void testOriginalFunctionalityStays()
    assertTrue(SomeClass.returnTrue());
  }

  /** Tests that mocking out the value works here, and only here. */
  @PrepareForTest(SomeClass.class)
  @Test
  public void testMockedValueWorks() {
    PowerMockito.mockStatic(SomeClass.class);
    Mockito.when(SomeClass.returnTrue()).thenReturn(false);

    assertFalse(SomeClass.returnTrue())
  }
}
于 2018-10-02T16:04:29.867 回答