我最近开发了一个 Silverlight 应用程序,它使用Mark J MillersClientChannelWrapper<T>
与 WCF 服务层进行通信(有效地杀死服务引用和包装IClientChannel
和ClientChannelFactory
)。这是界面:
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
使用通用服务接口存在一些问题。试图把我的头脑围绕这个问题已经有一段时间了,也许有人有一个想法。谢谢你。