我有一个称为例如 PeopleListBean 的支持 bean。目的很简单:从存储库返回人员列表。
public class PeopleListBean {
    @Autowired
    private PersonRepository personRepository;
    private List<Person> people;
    @PostConstruct
    private void initializeBean() {     
        this.people = loadPeople();
    }
    public List<User> getPeople() {
        return this.people;
    }
    private List<Person> loadPeople() {
        return personRepository.getPeople();
    }
}
我想使用 Junit 和 Mockito 为这个 bean 创建一个单元测试。
下面的示例测试类:
import static org.junit.Assert.assertTrue;
import static org.mockito.Mockito.reset;
import static org.mockito.Mockito.when;
import java.util.ArrayList;
import java.util.List;
import org.junit.Before;
import org.junit.Test;
import org.junit.runner.RunWith;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.test.context.ContextConfiguration;
import org.springframework.test.context.junit4.SpringJUnit4ClassRunner;
import com.example.PersonRepository;
@RunWith(SpringJUnit4ClassRunner.class)
@ContextConfiguration(locations = { "classpath:/test-application-context.xml" })
public class PeopleListBeanTest {
    @Autowired
    private PeopleListBean peopleListBean;
    @Autowired
    private PersonRepository mockPersonRepository;
    @Before
    public void init() {
        reset(mockPersonRepository);
    }
    @Test
    public void canListPeople() {
        List<Person> people = getDummyList();
        when(mockPersonRepository.getPeople().thenReturn(people);
        assertTrue(peopleListBean.getPeople().size() == people.size());
    }
}
我的问题是,何时/如何模拟存储库,因为加载发生在 initializeBean 方法(@PostConstruct)中。因此,在构造类之后,调用“getPeople”方法,然后我才能实际模拟该方法,从而导致断言不匹配。
我真的很感激一些帮助/指导!