考虑以下方法:
int Foo(string st, float x, int j)
{
...
}
现在我想通过提供参数Func<float, int>
和st
的值将其包装在j
类型的委托中。但我不知道语法。有人可以帮忙吗?
这个想法(可能看起来有点像Haskell-ish):
Func<float, int> myDelegate = new Func<float, int>(Foo("myString", _ , 42));
// by providing values for st and j, only x is left as a parameter and return value is int
答案 0 :(得分:3)
这应该可以解决问题:
Func<float, int> f = (x) => { return Foo("myString", x, 42); };
目前只能在F#中使用部分应用函数,而不是在C#中。
答案 1 :(得分:3)
部分应用程序没有特定的语法。你可以通过
来模仿它Func<int, int, int, int> multiply = (a, b, c) => a*b*c;
Func<int, int, int> multiplyPartialApplication = (a, b) => multiply(a, b, 100);
请注意,在资源受限的应用程序中,这可能不是您想要做的事情,因为它会导致额外的分配。
答案 2 :(得分:0)
我希望此解决方案有帮助:
public static class FunctionExtensions
{
public static Func<T1, Func<T2, Func<T3, TResult>>> Curried<T1, T2, T3, TResult>(this Func<T1, T2, T3, TResult> func)
{
return x1 => x2 => x3 => func(x1, x2, x3);
}
}
//you create your delegate
var myDelegate = new Func<string, int, float, int>((st, j, x) => Foo(st, x, j)).Curried();
//call it with your two specified parameters where you have only them and pass the returned function that expects your float parameter
var returnedFunction = myDelegate("myString")(42);
//call the returned function eventually with your float parameter
var result = returnedFunction(0f);
答案 3 :(得分:0)
[通灵术]
我相信这个替代方案是最灵活和直接的,尽管如果不习惯那个练习会有些困难。
// Given
int Foo(string st, float x, int j) => default;
// Inlined partial application
Func<string, int, Func<float, int>> applyFoo
= (st, j) => (x) => Foo(st, x, j);
// Or as part of a function
Func<float, int> ApplyFoo(string st, int j)
=> (x) => Foo(st, x, j);
// Usage
var bar = 42;
var appliedFoo = applyFoo("foo", bar);
var result = appliedFoo(12.34);
// Or
var result = applyFoo("foo", bar)(12.34);
在这种情况下,参数顺序的选择会有所不同,因为如果 Foo
被定义为 int Foo(string st, int j, float x)
,这会更容易处理(通过 pApply 助手),因为它很易于创建位置部分应用助手。