2

I'm trying to understand JMockit but still I'm running into walls.

This is a class I want to test:

@Stateless
public class VerfahrensArchivService {

@PersistenceContext
private EntityManager em;


public void storeAndUpdateVerfahren(List<Verfahren> pVerfahrenToStore) {

    if (pVerfahrenToStore == null){
        throw new IllegalArgumentException("pVerfahrenToStore darf nicht null sein!");
    }

    for (Verfahren verfahren : pVerfahrenToStore) {

        Verfahren storedCopy = getVerfahrenByExterneID(verfahren.getFremdsystem(), verfahren.getExterneId());

        if (storedCopy == null){
            //Ein neues Verfahren wurde gefunden!

            em.persist(verfahren);
        }else{

        }

    }

}
}

This is how my test looks like:

public class VerfahrensArchivServiceTest {

@Tested
private VerfahrensArchivService archiveService;

@NonStrict //Also tried simple @Mocked
private EntityManager em;


@Test
public void should_store_new_verfahren_to_persistence_layer(){


    List<Verfahren> listeMitEinemNeuenVerfahren = new ArrayList<Verfahren>();
    Verfahren v = new Verfahren();
    v.setId(0);
    v.setExterneId("Neu");
    v.setFremdsystem(Verfahren.FREMDSYSTEM_P);
    listeMitEinemNeuenVerfahren.add(v);


    new NonStrictExpectations(archiveService) { 
        {
            //simulate that nothing was found in the db  
            archiveService.getVerfahrenByExterneID(anyString, anyString);result = null;
        }
    };

    new Expectations() {
        {
            em.persist(any);
        }
    };

    archiveService.storeAndUpdateVerfahren(listeMitEinemNeuenVerfahren);

}



}

The test fails because EntityManager is null in the moment of calling em.persist(). Why? Is the test structured the right way? If not, could you show me how I do better?

I really believe that JMockit will help me be more productive in a TDD way. But I need to understand how to use it correctly.

4

1 回答 1

2

我更仔细地阅读了@Tested Javadoc。它指出,您可以使用测试方法参数来设置被测@Tested/class。只需声明您需要的类型的 @Incectable 参数。阅读@Tested javadoc 以了解参数如何与未初始化的字段匹配。

所以,我的测试适用于此:

@Test
public void should_store_new_verfahren_to_persistence_layer(@Injectable final EntityManager em){


    List<Verfahren> listeMitEinemNeuenVerfahren = new ArrayList<Verfahren>();
    Verfahren v = new Verfahren();
    v.setId(0);
    v.setExterneId("Neu");
    v.setFremdsystem(Verfahren.FREMDSYSTEM_P);
    listeMitEinemNeuenVerfahren.add(v);


    new NonStrictExpectations(archiveService) { 
        {
            archiveService.getVerfahrenByExterneID(anyString, anyString);result = null;
        }
    };

    new Expectations() {
        {
            em.persist(any);
        }
    };

    archiveService.storeAndUpdateVerfahren(listeMitEinemNeuenVerfahren);

}
于 2013-08-03T16:57:30.583 回答