2

我有以下方法....

public void testa(Car car) {
   em.persist(car);
   car.setEngine(null);

}

在我的测试中,我有:

protected final Car mockCar = context.mock(Car.class);

@Test
public void testCar() {
        context.checking(new Expectations() {
            {
                oneOf(em).persist(car);
                oneOf(car).setEngine(null);

                   }
             });
        this.stacker.testa(mockCar);
        context.assertIsSatisfied(); 

}

我运行这个,我不断得到:

意外调用 car.setEngine(null)...

如果我删除在代码中设置引擎的代码并从测试中通过测试...我完全不知道为什么会发生这种情况...

例外:

java.lang.AssertionError:意外调用:car.setEngine(null) 未指定期望:您是否... - 忘记以基数子句开始期望?- 调用模拟方法来指定期望的参数?

4

1 回答 1

2

您的问题似乎是您有两个Car对象。你有一个car,你设定了期望,还有一个mockCar,你通过了。没有看到这些对象的定义,我不能肯定地说,但这可能是你问题的根源。

如果这不是问题,我们将需要更多代码。最好是整个文件。

作为参考,这可以很好地编译并通过测试:

import org.jmock.Expectations;
import org.jmock.Mockery;
import org.junit.Test;

public class TestyMcTestTest {
    private final Mockery context = new Mockery();

    private final EntityManager em = context.mock(EntityManager.class);
    private final Stacker stacker = new Stacker(em);
    private final Car mockCar = context.mock(Car.class);

    @Test
    public void testCar() {
        context.checking(new Expectations() {{
            oneOf(em).persist(mockCar);
            oneOf(mockCar).setEngine(null);
        }});
        this.stacker.testa(mockCar);
        context.assertIsSatisfied();
    }

    public interface Car {
        void setEngine(Engine engine);
    }

    public interface Engine { }

    public class Stacker {
        private final EntityManager em;

        public Stacker(EntityManager em) {
            this.em = em;
        }

        public void testa(Car car) {
           em.persist(car);
           car.setEngine(null);
        }
    }

    private interface EntityManager {
        void persist(Object o);
    }
}
于 2013-02-25T16:53:40.477 回答