2010-03-24 103 views
10

有没有什么方法可以模仿使用Rhino mocks框架的WCF客户端代理,因此我可以访问Channel属性?我试图单元测试Proxy.Close()方法,但由于代理是使用具有ICommunicationObject接口的抽象基类ClientBase<T>构造的,所以我的单元测试失败,因为类的内部基础结构在模拟对象中不存在。任何代码示例的好方法将不胜感激。模拟WCF客户端代理的最佳方法

+0

看到一篇文章[托管-模拟作为-WCF服务(http://bronumski.blogspot.com.au/2011/09/hosting-mock-as- wcf-service.html)和相关答案http://stackoverflow.com/a/10306934/52277 – 2013-08-27 13:04:11

回答

20

您可以做的是创建一个继承原始服务接口和ICommunicationObject的接口。然后,您可以绑定并嘲讽该接口,并仍然具有所有重要的方法。

例如:

public interface IMyProxy : IMyService, ICommunicationObject 
{ 
    // Note that IMyProxy doesn't implement IDisposable. This is because 
    // you should almost never actually put a proxy in a using block, 
    // since there are many cases where the proxy can throw in the Dispose() 
    // method, which could swallow exceptions if Dispose() is called in the 
    // context of an exception bubbling up. 
    // This is a general "bug" in WCF that drives me crazy sometimes. 
} 

public class MyProxy : ClientBase<IMyService>, IMyProxy 
{ 
    // proxy code 

} 

public class MyProxyFactory 
{ 
    public virtual IMyProxy CreateProxy() 
    { 
     // build a proxy, return it cast as an IMyProxy. 
     // I'm ignoring all of ClientBase's constructors here 
     // to demonstrate how you should return the proxy 
     // after it's created. Your code here will vary according 
     // to your software structure and needs. 

     // also note that CreateProxy() is virtual. This is so that 
     // MyProxyFactory can be mocked and the mock can override 
     // CreateProxy. Alternatively, extract an IMyProxyFactory 
     // interface and mock that. 
     return new MyProxy(); 
    } 
} 

public class MyClass 
{ 
    public MyProxyFactory ProxyFactory {get;set;} 
    public void CallProxy() 
    { 
     IMyProxy proxy = ProxyFactory.CreateProxy(); 
     proxy.MyServiceCall(); 
     proxy.Close(); 
    } 
} 


// in your tests; been a while since I used Rhino 
// (I use moq now) but IIRC...: 
var mocks = new MockRepository(); 
var proxyMock = mocks.DynamicMock<IMyProxy>(); 
var factoryMock = mocks.DynamicMock<MyProxyFactory>(); 
Expect.Call(factoryMock.CreateProxy).Return(proxyMock.Instance); 
Expect.Call(proxyMock.MyServiceCall()); 
mocks.ReplayAll(); 

var testClass = new MyClass(); 
testClass.ProxyFactory = factoryMock.Instance; 
testClass.CallProxy(); 

mocks.VerifyAll();