1

我正在开发一个使用 CookComputing XML-RPC.net 的应用程序

我的问题是如何对调用外部 rpc 方法的方法进行单元测试。

如果我们以网站上的例子为例:

//This is the XML rpc Proxy interface
[XmlRpcUrl("http://www.cookcomputing.com/xmlrpcsamples/RPC2.ashx")]
public interface IStateName : IXmlRpcProxy
{
    [XmlRpcMethod("examples.getStateName")]
    string GetStateName(int stateNumber); 
}


public class MyStateNameService 
{
    public string GetStateName(int stateNumber)
{
        IStateName proxy = XmlRpcProxyGen.Create<IStateName>();
        return proxy.GetStateName(stateNumber);
     }
}

我们如何在不实际访问 http://www.cookcomputing.com/xmlrpcsamples/RPC2.ashx的情况下有效地测试 IStateName 的结果

我想一个好的开始将是一个构造函数,MyStateNameService它采用 IStateName,并在 IStateName 上传入一个假的(或模拟的?)实例......

我有兴趣测试它的实际内容 - 例如伪造来自端点的响应,并以某种方式返回它,而不仅仅是验证GetStateName调用服务......

编辑

我不是想测试服务的内容 ,也不是我的课程用它做什么。

因此,例如,假设响应是:

<?xml version="1.0"?>
<methodResponse>
  <params>
    <param>
        <value><string>My State Name</string></value>
    </param>
  </params>
</methodResponse>

我想“伪造”该响应一些如何测试MyStateNameService.GetStateName实际返回的“我的州名”

4

1 回答 1

0

您的问题在于此处应用的单例模式。

XmlRpcProxyGen.Create<IStateName>();

因此,您使用依赖注入(通过构造函数)的想法是一个好的开始。(你使用 IoC 容器吗?)

接下来是为IStateName服务创建一个 Mock/Fake/Stub。这可以通过多种方式实现。

使用动态模拟系统可能会为您节省一些工作,但您需要了解它们的用法。

使用 NUnit、NSubstitute 和修改后的经典 AAA 测试示例MyStateNameService

class MyStateNameService
{
  private readonly IStateName _remoteService;
  public MyStateNameService(IStateName remoteService)
  {
    // We use ctor injection to denote the mandatory dependency on a IStateName service
    _remoteService = remoteService;
  }

  public string GetStateName(int stateNumber)
  {
    if(stateNumber < 0) throw new ArgumentException("stateNumber");
    // Do not use singletons, prefer injection of dependencies (may be IoC Container)
    //IStateName proxy = XmlRpcProxyGen.Create<IStateName>();
    return _remoteService.GetStateName(stateNumber);
  }
}

[TestFixture] class MyStateNameServiceTests
{
  [Test]
  public void SomeTesting()
  {
    // Arrange
    var mockService = Substitute.For<IStateName>();
    mockService.GetStateName(0).Returns("state1");
    mockService.GetStateName(1).Returns("state2");

    var testSubject = new MyStateNameService(mockService);


    // Act
    var result = testSubject.GetStateName(0);

    // Assert
    Assert.AreEqual("state1", result);

    // Act
    result = testSubject.GetStateName(1);

    // Assert
    Assert.AreEqual("state2", result);

    // Act/Assert
    Assert.Throws<ArgumentException>(() => testSubject.GetStateName(-1));
    mockService.DidNotReceive().GetStateName(-1);

    /* 
       MyStateNameService does not do much things to test, so this is rather trivial.
       Also different use cases of the testSubject should be their own tests ;) 
    */


  }

}
于 2013-01-11T14:36:03.560 回答