0

我正在尝试在类中模拟一个实例。这是类(简化):

public void CreatePhotos(string elementType) 
{ 
    var foo = new PicturesCreation(); 

    //some code here...

    if (elementType == "IO") 
    { 
        foo.CreateIcons(client, new PicturesOfFrogsCreation(), periodFrom, periodTo)
    } 
}

所以我试图模拟这个'new PicturesOfFrogsCreation()'进行单元测试,看看是否使用这个参数调用了CreateIcons。我试图在我的测试中使用 Rhino Mocks/AssertWasCalled 方法来实现这一点,但它看起来不起作用,因为我只知道如何模拟接口。你知道是否可以模拟这个吗?

更新: PicturesCreation 类的代码:

internal sealed class PicturesCreation 
    { 
      public void CreateIcons(IPictures foo, int periodFrom, int periodTo) 

         { 
            foo.CreateIcons(periodFrom, periodTo); 
         } 
    }

和 PicturesOfFrogsCreation 的代码:

internal sealed class PicturesOfFrogsCreation : IPictures
{ 

    public void CreateIcons(int periodFrom, int periodTo) 
      { 
         //Code that implements the method
      } 
}

我写了这个测试,但我不确定它是否写得好:

public void Create_commitment_transaction_should_be_called_for_internal_order() 
    { 

       IPicture fooStub = RhinoStubWrapper<IPicture>.CreateStubObject(); 

       rebuildCommitmentsStub.StubMethod(x => x.CreateIcons(Arg<int>.Is.Anything, Arg<int>.Is.Anything));

       PicturesProcess.CreatePhotos("IO"); 

       rebuildCommitmentsStub.AssertWasCalled(x => x.CreateIcons(Arg<int>.Is.Anything,Arg<int>.Is.Anything));

    }

提前致谢!

一种。

4

3 回答 3

4

老实说,您的代码似乎并不是为此而设计的。因为您在方法中实例化实例,然后调用该方法,所以很难模拟出来。

如果您将实例传递给此方法,或者传递给要在字段中捕获的类的构造函数,则可以将其替换为模拟 - 大多数模拟框架(包括 Rhino)都可以这样做,前提是您正在检查的方法是虚拟的。


编辑:我从你的编辑中看到有问题的类是密封的。这使得它们本质上是不可模仿的。模拟一个类通过创建一个从被模拟的类继承的代理类来工作 - 如果它是密封的,则无法完成。

于 2013-01-10T16:15:41.077 回答
1

您需要注入您希望模拟的依赖项。局部变量是方法私有的,不能被断言。一个例子 -

public class Photo{
  private IPicturesCreation foo;
  public test(IPicturesCreation picturesCreation)
  {
    foo = picturesCreation;
  }

  public void CreatePhotos(string elementType) 
    { 
    //some code here...

    if (elementType == "IO") 
       { 
           foo.CreateIcons(client, new PicturesOfFrogsCreation(), periodFrom, periodTo)
       } 
    }
}

并像这样测试它

public class PhotoTest{
    public testFunctionCall(){
    var mockPicturesCreation = new Mock<IPicturesCreation>();
    new Photo(mockPicturesCreation.Object).CreatePhotos("blah");
    mockPicturesCreation.Verify(x => x.CreateIcons(.....), Times.Once);
    }
}
于 2013-01-10T16:20:09.647 回答
0

正如其他人已经提到的,这段代码不太适合模拟。但是,如果您无法修改代码,仍然有一些选择。

我听说TypeMock可以模拟密封类,但我从未使用过它。顺便说一句,它是商业软件……还有Microsoft Fakes Framework(与 VS Premium 一起提供)。我玩了一下,似乎你几乎可以测试任何东西。绝对值得一试!

于 2013-10-16T12:49:02.343 回答