我处理的项目是Web服务器上托管的Web应用程序调用托管在应用服务器上的WCF服务。 WCF调用的代理由ChannelFactory创建,调用通过channel进行,例如:
(省略使用区块)
var factory = new ChannelFactory<IUserService>(endpointConfigurationName);
var channel = factory.CreateChannel();
var users = channel.GetAllUsers();
如果我理解的话,通过频道调用是异步的,并且Web服务器上的线程在请求期间处于空闲状态,只是等待响应。
我想像这样打电话异步:
var users = await channel.GetAllUsersAsync();
有没有办法如何使用ChannelFactory和通道异步进行调用?我找不到任何东西。我知道我可以通过svcutil / Add服务引用生成异步方法,但我不想那样做。另外,我不想通过添加异步方法来更改应用服务器(IUserService)上的服务接口。
有没有办法如何使用ChannelFactory调用方法异步?感谢。
答案 0 :(得分:7)
您可以使用T4自动生成包含来自原始界面的方法的异步版本的新界面,并在ChannelFactory
without changing interface on server side中使用它。
我使用NRefactory解析原始内容并生成新的C#源代码,并使用AssemblyReferences.tt在T4模板中使用nuget包:
<#@ template debug="false" hostspecific="true" language="C#" #>
<#@ include file="AssemblyReferences.tt" #>
<#@ assembly name="System.Core" #>
<#@ import namespace="System.Linq" #>
<#@ import namespace="ICSharpCode.NRefactory.CSharp" #>
<#@ output extension=".cs"#>
<#
var file = System.IO.File.ReadAllText(this.Host.ResolvePath("IUserService.cs"));
if(!file.Contains("using System.Threading.Tasks;"))
{ #>
using System.Threading.Tasks;
<# } #>
<#
CSharpParser parser = new CSharpParser();
var syntaxTree = parser.Parse(file);
foreach (var namespaceDeclaration in syntaxTree.Descendants.OfType<NamespaceDeclaration>())
{
namespaceDeclaration.Name += ".Client";
}
foreach (var methodDeclaration in syntaxTree.Descendants.OfType<MethodDeclaration>())
{
if (methodDeclaration.Name.Contains("Async"))
continue;
MethodDeclaration asyncMethod = methodDeclaration.Clone() as MethodDeclaration;
asyncMethod.Name += "Async";
if (asyncMethod.ReturnType.ToString() == "void")
asyncMethod.ReturnType = new SimpleType("Task");
else
asyncMethod.ReturnType = new SimpleType("Task", typeArguments: asyncMethod.ReturnType.Clone());
methodDeclaration.Parent.AddChild(asyncMethod, Roles.TypeMemberRole);
}
#>
<#=syntaxTree.ToString()#>
您将接口文件名传递给模板:
using System.Collections.Generic;
using System.ServiceModel;
namespace MyProject
{
[ServiceContract]
interface IUserService
{
[OperationContract]
List<User> GetAllUsers();
}
}
获得新的:
using System.Threading.Tasks;
using System.Collections.Generic;
using System.ServiceModel;
namespace MyProject.Client
{
[ServiceContract]
interface IUserService
{
[OperationContract]
List<User> GetAllUsers ();
[OperationContract]
Task<List<User>> GetAllUsersAsync ();
}
}
现在您可以将它放在工厂中以异步方式使用频道:
var factory = new ChannelFactory<MyProject.Client.IUserService>("*");
var channel = factory.CreateChannel();
var users = await channel.GetAllUsersAsync();
答案 1 :(得分:6)
不幸的是,没有。
从svcutil获取的异步方法是在代理中根据您的接口生成的。原始WCF频道中没有这样的内容。
唯一的方法是将服务引用更改为具有您不想要的本机异步调用,或者在通道周围创建自己的包装器并像生成的代理一样自己实现它们。
答案 2 :(得分:5)
不幸的是,这是不可能的,并且有一个很好的理由。 CreateChannel
返回一个实现提供的接口的对象(在您的示例中为IUserService
)。此接口不是异步感知的,因此无法使用正确的方法返回对象。
有两种可能的解决方案:
svcutil
为您执行此操作)。