我不确定如何最好地描述我想要的东西,所以我将从高级别开始,然后重新考虑实施。
使用c#我正在尝试创建一个具有泛型返回类型的方法,并将一个方法作为参数从服务引用中获取。
这个泛型方法将新建服务引用,调用我传入的服务引用方法,执行服务引用所需的所有错误处理和检查,然后关闭或中止它并返回结果电话。
这种伪代码:
public T CallServiceReference<T>(method serviceRefMethod) {
T result = null;
ServiceReference svcClient = new ServiceReference.Client();
try {
result = svcClient.serviceRefMethod;
svcClient.Close();
} catch (ExceptionType ex) {
// log error message
svcClient.Abort();
throw;
}
return result;
}
这可能在c#中吗?我正在寻找仿制药和代表。我的一个主要问题是在没有实例化服务引用的情况下委托一个服务引用的方法。如果我必须实例化服务引用,我想我也可以为每个方法调用放置所有的Close,Abort和错误处理。
我正在研究不同的设计模式,虽然它有点困难,因为我不知道我正在寻找的那个的名称,或者它是否存在。
如果我能提供任何其他信息或澄清,请告诉我。
更新(第2部分): 现在我正在尝试创建一个委托,用它调用的方法封装变量。
public delegate T Del<T>();
public static IEnumerable<String> GetDataFromService(String username) {
ServiceReference.ServiceClient client = new ServiceReference.ServiceClient();
// the method I'm going to call returns a string array
Del<String[]> safeClientCall = new Del<String[]>(client.DataCall);
// the above call is what I need to use so the C# compiles, but I want to do this
// the below code throws an error...
Del<String[]> safeClientCall = new Del<String[]>(client.DataCall(username));
var result = DataCallHandlerMethod(ref client, safeClientCall);
return result;
}
基本上从我的调用方法传递username参数,并且已经定义了username参数。我不想在调用委托时定义它。有没有办法用c#?
来做到这一点答案 0 :(得分:1)
一般情况下,你的答案中的所有内容都是可能的,除了这一行:
result = svcClient.serviceRefMethod;
这显然是一个至关重要的调用...为了动态调用对象上的函数,你可以做一些事情。一个简单的方法是将您的功能签名更改为:
public T CallServiceReference<T>(ServiceReference svcClient, method serviceRefMethod)
但随后调用代码需要新增ServiceReference
并将svcClient.[desiredFunction]
作为serviceRefMethod
传入。
另一种方法是将您的签名更改为:
public T CallServiceReference<T>(string serviceRefMethodName)
然后使用Reflection查找方法并调用它。你将不会得到编译时验证(所以如果你有一个错字它会在运行时崩溃),但你会得到动态调用。例如:
svcClient.GetType().InvokeMember(
methodName, /* what you want to call */
/*
Specifies what kinds of actions you are going to do and where / how
to look for the member that you are going to invoke
*/
System.Reflection.BindingFlags.Public |
System.Reflection.BindingFlags.NonPublic |
System.Reflection.BindingFlags.Instance |
System.Reflection.BindingFlags.InvokeMethod,
null, /* Binder that is used for binding */
svcClient, /* the object to call the method on */
null /* argument list */
);
您现在不仅要传递方法,还要传递方法的调用。由于并非每个方法都被调用,因此您尝试在调用站点执行此操作,但这是在您实际要调用该方法之前。基本上你要做的就是穿梭代码,这些代码只会在稍后执行(在GetDataFromService
的上下文中)。
您可以选择反射路线(在这种情况下,您传递object[]
个传递给InvokeMember
来电的参数,或者查看Func
,这样您就可以创建您调用Func
时运行的一些代码。例如:
GetDataFromService(new Func<object>(() => { return client.DataCall(username); }));