4

我最近开发了一个 Silverlight 应用程序,它使用Mark J MillersClientChannelWrapper<T>与 WCF 服务层进行通信(有效地杀死服务引用和包装IClientChannelClientChannelFactory)。这是界面:

public interface IClientChannelWrapper<T> where T : class
{
    IAsyncResult BeginInvoke(Func<T, IAsyncResult> function);
    void Dispose();
    void EndInvoke(Action<T> action);
    TResult EndInvoke<TResult>(Func<T, TResult> function);
}

Wrapper 基本上采用通用异步服务接口(可能由 slsvcutil 生成或在 WCF 之后手工制作ServiceContract)并包装调用以确保在通道故障的情况下创建新通道。典型用法如下所示:

 public WelcomeViewModel(IClientChannelWrapper<IMyWCFAsyncService> service)
    {
        this.service = service;
        this.synchronizationContext = SynchronizationContext.Current ?? new SynchronizationContext();
        this.isBusy = true;
        this.service.BeginInvoke(m => m.BeginGetCurrentUser(new AsyncCallback(EndGetCurrentUser), null));
    }

private void EndGetCurrentUser(IAsyncResult result)
    {
        string strResult = "";
        service.EndInvoke(m => strResult = m.EndGetCurrentUser(result));
        this.synchronizationContext.Send(
                    s =>
                    {
                        this.CurrentUserName = strResult;
                        this.isBusy = false;
                    }, null);
    }

一切正常,但现在我想对使用ClientChannelWrapper. 我使用 Moq 设置了一个简单的单元测试:

[TestMethod]
    public void WhenCreated_ThenRequestUserName()
    {
        var serviceMock = new Mock<IClientChannelWrapper<IMyWCFAsyncService>>();
        var requested = false;

        //the following throws an exception
        serviceMock.Setup(svc => svc.BeginInvoke(p => p.BeginGetCurrentUser(It.IsAny<AsyncCallback>(), null))).Callback(() => requested = true);


        var viewModel = new ViewModels.WelcomeViewModel(serviceMock.Object);
        Assert.IsTrue(requested);
    }

我得到一个 NotSupportedException:

不支持的表达式:p => p.BeginGetCurrentUser(IsAny(), null)。

我对 Moq 很陌生,但我想ClientChannelWrapper使用通用服务接口存在一些问题。试图把我的头脑围绕这个问题已经有一段时间了,也许有人有一个想法。谢谢你。

4

1 回答 1

3

很抱歉回答我自己的问题,但我终于明白了。以下是详细信息:

通常,解决方案就在我面前,因为它在 Mark J Millers 的 IClientChannelWrapper 的具体实现中。在那里,他提供了两个构造函数,一个接受 WCF 端点名称的字符串(我在生产代码中使用),另一个接受:

public ClientChannelWrapper(T service)
    {
        m_Service = service;
    }

事不宜迟,这是我的新测试代码:

[TestMethod]
    public void WhenCreated_ThenRequestUserName()
    {
        var IMySvcMock = new Mock<IMyWCFAsyncService>();
        var serviceMock = new ClientChannelWrapper<IMyWCFAsyncService>(IMySvcMock.Object);
        var requested = false;

        IMySvcMock.Setup(svc => svc.BeginGetCurrentUser(It.IsAny<AsyncCallback>(), null)).Callback(() => requested = true);
        var viewModel = new ViewModels.WelcomeViewModel(serviceMock);

        Assert.IsTrue(requested);
    }

所以我基本上忽略了 ChannelWrapper 的接口,并使用我的 WCF 服务接口的 Mock 对象创建它的新实例。然后我设置了对服务的调用,该服务将在我的视图模型的构造函数中使用,如上所示。现在一切都像魅力一样。我希望这对某人有用,因为我认为 ClientChannelWrapper 的想法非常适合 Silverlight <-> WCF 通信。请随时对此解决方案发表评论!

于 2011-02-27T09:01:46.673 回答