我最近一直在研究功能编程,并希望将一些概念带到我的C#
世界。我正在尝试编写函数来创建服务(或任何你称之为的服务),而不是创建具有可注入依赖项的类。
通过创建这样的静态方法,我想出了一种方法来部分应用一个函数(与注入依赖项具有相同的效果)和两个参数和一个返回参数:
// this makes a func with a single arg from a func with two
static Func<T2, TResult> PartiallyApply<T1, T2, TResult>(
Func<T1,T2, TResult> f,
T1 t1)
{
// use given t1 argument to create a new function
Func<T2, TResult> map = t2 => f(t1, t2);
return map;
}
这有效,但是我想传递一个静态方法,就像这样:
static string MakeName(string a, string b) => a + " " + b;
当我尝试连接时,我收到错误The type arguments for method 'Program.PartiallyApply<T1, T2, TResult>(Func<T1, T2, TResult>, T1)' cannot be inferred from the usage.
但是当我添加一个创建显式Func<string,string,string
的步骤时,我指向它确实有效的方法:
static void Main(string[] args)
{
var first = "John";
var last = "Doe";
var f1 = PartiallyApply(MakeName, first); // cannot be inferred from the usage
Func<string, string, string> make = MakeName; // map it to func
var f2 = PartiallyApply(make, first); // works
var name = f2(last);
Console.WriteLine(name);
Console.ReadKey();
}
为什么编译器在直接传递静态方法时不能计算出类型args?有没有办法可以使用静态方法而无需将它们显式映射到具有基本相同(类型)参数的Func<>
?
更新
通过Functional programming in C#
阅读Enrico Buonanno
(强烈推荐)为解决这个问题提供了另一个很好的选择。在7.1.3
中,他提供了一些有关如何直接使用Funcs
而非方法组的选项。
您可以使用Func
创建一个仅限getter的属性:
static Func<string, string, string> MakeName => (a,b) => a + " " + b;
答案 0 :(得分:4)
因为如果你有两个不同参数的方法编译器不知道使用method1或method2。
示例:
static string MakeName(string a, string b) => a + " " + b;
static string MakeName(int a, string b) => a + " " + b;
编译器怎么知道你的意思?方法1还是方法2?仅仅因为你现在在方法组中只有一个方法,并不意味着它总是那样。然后添加方法会以这种方式中断。
var f1 = PartiallyApply(MakeName, first);
因此,如果您想解决此问题,则必须在调用方法中设置通用参数:
var f1 = PartiallyApply<string, string, string>(MakeName, first);
var f2 = PartiallyApply<string, int, string>(MakeName, first);
或者您可以在PartiallyApply方法中获取所有参数:
static string MakeName(string a, string b) => a + " " + b;
static string MakeName(int a, string b) => a + " " + b;
// this makes a func with a single arg from a func with two
static Func<T2, TResult> PartiallyApply<T1, T2, TResult>(
Func<T1, T2, TResult> f,
T1 t1,
T2 t2)
{
// use given t1 argument to create a new function
Func<T2, TResult> map = result => f(t1, t2);
return map;
}
static void Main(string[] args)
{
var first = "John";
var last = "Doe";
var f1 = PartiallyApply(MakeName, first, last); //works now
var name = f1(last);
Console.WriteLine(name);
Func<string, string, string> make = MakeName; // map it to func
var f2 = PartiallyApply(make, first, last); // works
name = f2(last);
Console.WriteLine(name);
Console.ReadKey();
}