2

我如何模拟在类级别实例化的变量..我想模拟 GenUser、UserData。我该怎么做...

我有以下课程

public class Source {

private  GenUser v1 = new GenUser();

private  UserData v2 = new UserData();

private  DataAccess v3 = new DataAccess();

public String createUser(User u) {
    return v1.persistUser(u).toString();
    }
}

我怎么嘲笑我的v1是这样的

GenUser gu=Mockito.mock(GenUser.class);
PowerMockito.whenNew(GenUser.class).withNoArguments().thenReturn(gu);

我为单元测试和模拟所写的是

@Test
public void testCreateUser() {
    Source scr = new Source();
    //here i have mocked persistUser method
    PowerMockito.when(v1.persistUser(Matchers.any(User.class))).thenReturn("value");
    final String s = scr.createUser(new User());
    Assert.assertEquals("value", s);
}

即使我嘲笑了 GenUser v1 的 persistUser 方法,它也没有将“值”作为我的返回值返回给我。

感谢高级.......:D

4

3 回答 3

2

正如 fge 的评论:

所有用法都需要在类级别进行注释@RunWith(PowerMockRunner.class)@PrepareForTest

确保您使用的是该测试运行器,并且您@PrepareForTest(GenUser.class)已将测试类放在了上面。

(来源:https ://code.google.com/p/powermock/wiki/MockitoUsage13 )

于 2013-06-21T03:32:38.080 回答
2

看看https://code.google.com/p/mockito/wiki/MockingObjectCreation - 那里有几个想法可以帮助你。

于 2013-06-19T21:49:43.170 回答
0

我不知道 mockito,但如果你不介意使用 PowerMock 和 EasyMock,下面的方法会起作用。

@Test
public void testCreateUser() {
    try {
        User u = new User();
        String value = "value";    

        // setup the mock v1 for use
        GenUser v1 = createMock(GenUser.class);
        expect(v1.persistUser(u)).andReturn(value);
        replay(v1);

        Source src = new Source();
        // Whitebox is a really handy part of PowerMock that allows you to
        // to set private fields of a class.  
        Whitebox.setInternalState(src, "v1", v1);
        assertEquals(value, src.createUser(u));
    } catch (Exception e) {
        // if for some reason, you get an exception, you want the test to fail
        e.printStackTrack();
        assertTrue(false);
    }
}
于 2013-06-20T02:22:14.797 回答