确保服务连接

本文关键字:连接 服务 确保 | 更新日期: 2023-09-27 17:59:21

我计划设置一个非常简单的NUnit测试,只测试WCF服务是否已启动和运行所以,我有

http://abc-efg/xyz.svc

现在,我需要编写一个单元测试来连接到这个URI,如果它正常工作,只记录成功,如果它失败,则在文件中记录失败和异常/错误。没有必要单独托管等

调用和实现这一目标的理想方法和方法是什么?

确保服务连接

这是我们在连接到WCF服务器的测试中使用的。我们没有明确测试服务器是否启动,但很明显,如果没有,我们就会得到一个错误:

[Test]
public void TestServerIsUp()
{
    var factory = new ChannelFactory<IMyServiceInterface> (configSectionName);
    factory.Open ();
    return factory.CreateChannel ();
}

如果在配置中指定的端点上没有侦听的端点,那么您将得到一个异常和一个失败的测试。

如果需要,您可以使用ChannelFactory构造函数的其他重载之一来传递固定的绑定和端点地址,而不是使用config。

不确定这是否理想,但如果我理解你的问题,你确实在寻找一个集成测试,以确保某个URI可用。您实际上并不想对服务的实现进行单元测试——您想向URI发出请求并检查响应。

这是我为运行此操作而设置的NUnit TestFixture。请注意,这是很快完成的,肯定可以改进。。。。

我使用WebRequest对象发出请求并返回响应。当发出请求时,它被封装在try...catch中,因为如果请求返回的不是200类型的响应,它将抛出WebException。因此,我捕获异常并从异常的Response属性中获取WebResponse对象。在这一点上,我设置了StatusCode变量,并继续计算返回的值。

希望这能有所帮助。如果我误解了你的问题,请告诉我,我会相应地更新。祝你好运

测试代码:

[TestFixture]
public class WebRequestTests : AssertionHelper
{
    [TestCase("http://www.cnn.com", 200)]
    [TestCase("http://www.foobar.com", 403)]
    [TestCase("http://www.cnn.com/xyz.htm", 404)]
    public void when_i_request_a_url_i_should_get_the_appropriate_response_statuscode_returned(string url, int expectedStatusCode)
    {
        var webReq = (HttpWebRequest)WebRequest.Create(url);
        webReq.Method = "GET";
        HttpWebResponse webResp;
        try
        {
            webResp = (HttpWebResponse)webReq.GetResponse();
            //log a success in a file
        }
        catch (WebException wexc)
        {
            webResp = (HttpWebResponse)wexc.Response;
            //log the wexc.Status and other properties that you want in a file
        }
        HttpStatusCode statusCode = webResp.StatusCode;
        var answer = webResp.GetResponseStream();
        var result = string.Empty;
        if (answer != null)
        {
            using (var tempStream = new StreamReader(answer))
            {
                result = tempStream.ReadToEnd();
            }
        }
        Expect(result.Length, Is.GreaterThan(0), "result was empty");
        Expect(((int)statusCode), Is.EqualTo(expectedStatusCode), "status code not correct");
    }
}

您可以使用Visual Studio中的单元测试功能来完成这项工作

http://blog.gfader.com/2010/08/how-to-unit-test-wcf-service.html

使用Nunit 的WCF和单元测试示例

这里还有一个类似的问题。