我的WCF客户端库有以下规划的体系结构:
- 使用ChannelFactory而不是svcutil生成的代理因为 我需要更多的控制权,而且我希望将客户端分开 装配并避免在我的WCF服务更改时重新生成
- 需要将消息检查器的行为应用于我的WCF 端点,所以每个通道都能发送它 自己的认证令牌
- 我的客户端库将从MVC前端使用,因此我将不得不考虑可能的线程问题
- 我正在使用.NET 4.5(也许它有一些帮助器或新方法以更好的方式实现WCF客户端?)
我已经阅读了很多关于各种不同内容的文章,但我仍然对如何以正确的方式将它们整合在一起感到困惑。我有以下问题:
- 据我所知,建议将ChannelFactory缓存在静态变量中,然后从中获取通道,对吗?
- 是特定于整个ChannelFactory的端点行为,还是我可以分别为每个通道应用我的身份验证行为?如果行为特定于整个工厂,这意味着我无法在我的端点行为对象中保留任何状态信息,因为相同的身份验证令牌将被重用于每个通道,但显然我希望每个通道都有自己的身份验证令牌。当前用户。这意味着,我必须在我的端点行为中计算令牌(我可以将它保存在HttpContext中,我的消息检查器行为只会将它添加到传出消息中)。
- 我的客户端类是一次性的(实现IDispose)。如何正确处理通道,知道它可能处于任何可能的状态(未打开,打开,失败......)?我只是处理它吗?我会中止然后处理吗?我是否关闭它(但它可能根本没有打开)然后处理?
- 如果在使用频道时出现问题,该怎么办?只有通道坏了或整个ChannelFactory都坏了吗?
我猜,一行代码会说千言万语,所以这是我的代码形式的想法。我在上面用“???”标记了我的所有问题在代码中。
public class MyServiceClient : IDisposable
{
// channel factory cache
private static ChannelFactory<IMyService> _factory;
private static object _lock = new object();
private IMyService _client = null;
private bool _isDisposed = false;
/// <summary>
/// Creates a channel for the service
/// </summary>
public MyServiceClient()
{
lock (_lock)
{
if (_factory == null)
{
// ... set up custom bindings here and get some config values
var endpoint = new EndpointAddress(myServiceUrl);
_factory = new ChannelFactory<IMyService>(binding, endpoint);
// ???? do I add my auth behavior for entire ChannelFactory
// or I can apply it for individual channels when I create them?
}
}
_client = _factory.CreateChannel();
}
public string MyMethod()
{
RequireClientInWorkingState();
try
{
return _client.MyMethod();
}
catch
{
RecoverFromChannelFailure();
throw;
}
}
private void RequireClientInWorkingState()
{
if (_isDisposed)
throw new InvalidOperationException("This client was disposed. Create a new one.");
// ??? is it enough to check for CommunicationState.Opened && Created?
if (state != CommunicationState.Created && state != CommunicationState.Opened)
throw new InvalidOperationException("The client channel is not ready to work. Create a new one.");
}
private void RecoverFromChannelFailure()
{
// ??? is it the best way to check if there was a problem with the channel?
if (((IChannel)_client).State != CommunicationState.Opened)
{
// ??? is it safe to call Abort? won't it throw?
((IChannel)_client).Abort();
}
// ??? and what about ChannelFactory?
// will it still be able to create channels or it also might be broken and must be thrown away?
// In that case, how do I clean up ChannelFactory correctly before creating a new one?
}
#region IDisposable
public void Dispose()
{
// ??? is it how to free the channel correctly?
// I've heard, broken channels might throw when closing
// ??? what if it is not opened yet?
// ??? what if it is in fault state?
try
{
((IChannel)_client).Close();
}
catch
{
((IChannel)_client).Abort();
}
((IDisposable)_client).Dispose();
_client = null;
_isDisposed = true;
}
#endregion
}