我正在尝试创建两个泛型方法,其中一个是void,另一个是返回类型。 void方法采用Action
委托,另一个采用Func
委托。 void方法的实现如下:
public static void ExecuteVoid<T>(Action<T> actionToExecute)
{
string endpointUri = ServiceEndpoints.GetServiceEndpoint(typeof(T));
using (ChannelFactory<T> factory = new ChannelFactory<T>(new BasicHttpBinding(), new EndpointAddress(endpointUri)))
{
T proxy = factory.CreateChannel();
actionToExecute(proxy);
}
}
这很好用,但是我遇到了非void方法的问题:
public static T ExecuteAndReturn<T>(Func<T> delegateToExecute)
{
string endpointUri = ServiceEndpoints.GetServiceEndpoint(typeof(T));
T valueToReturn;
using (ChannelFactory<T> factory = new ChannelFactory<T>(new BasicHttpBinding(), new EndpointAddress(endpointUri)))
{
T proxy = factory.CreateChannel();
valueToReturn = delegateToExecute();
}
return valueToReturn;
}
现在,当我尝试调用这样的方法时:
var result = ServiceFactory.ExecuteAndReturn((IMyService x) => x.Foo());
我收到了这个编译错误:
The type arguments for method 'ServiceFactory.ExecuteAndReturn<T>(System.Func<T>)' cannot be inferred from the usage. Try specifying the type arguments explicitly.
在这种情况下, Foo()
是一个没有返回object
的参数的方法。然后,我尝试通过明确指定类型来调用该方法:
var result = ServiceFactory.ExecuteAndReturn<IMyService>(x => x.Foo());
但现在我又得到了另一个例外
Delegate 'IMyService' does not take 1 arguments.
我真的迷失在这里。任何帮助表示赞赏。
答案 0 :(得分:6)
您可能会将返回类型与代理类型混淆。如果将参数指定为Func<T>
,则T
必须是函数的返回类型,而不是代理类型。但是,您还需要指定代理类型,以便获得正确的服务端点和通道工厂。因此,您实际上需要两个类型参数:一个用于代理,一个用于返回类型。我还假设函数委托需要将初始化代理作为参数;否则,这种包装方法毫无意义。
public static TResult ExecuteAndReturn<TProxy, TResult>(
Func<TProxy, TResult> delegateToExecute)
{
string endpointUri = ServiceEndpoints.GetServiceEndpoint(typeof(TProxy));
TResult valueToReturn;
using (ChannelFactory<TProxy> factory = new ChannelFactory<TProxy>(new BasicHttpBinding(), new EndpointAddress(endpointUri)))
{
TProxy proxy = factory.CreateChannel();
valueToReturn = delegateToExecute(proxy);
}
return valueToReturn;
}
编辑:由于(IMyService x) => x.Foo()
与Func<T>
委托不兼容,因此出现编译错误。在编写匿名函数时,推断类型是匿名函数本身的类型,而不是它碰巧调用的方法。在这种情况下,匿名函数接受IMyService
类型的单个参数,并返回object
(作为Foo
的返回类型)。因此,这个匿名方法的正确委托将是Func<IMyService, object>
。
答案 1 :(得分:0)
您已将参数定义为func<x>
,即委托没有参数,但后面将其称为Func<x,y>
,即带有1个参数IMyService的委托,因此错误“委托'IMyService'不会拿1个参数“