如何调用这个函数的代码片段
本文关键字:函数 代码 片段 何调用 调用 | 更新日期: 2023-09-27 18:08:00
我正在看这篇关于单子的文章:
http://blogs.msdn.com/b/wesdyer/archive/2008/01/11/the-marvels-of-monads.aspx我在VS2010的副本中编写代码,但对于以下代码:
public static Func<T, V> Compose<T, U, V>(this Func<U, V> f, Func<T, U> g)
{
return x => f(g(x));
}
这个怎么调用?
文章还说:
函数组合采用两个函数,并将第二个函数的结果作为第一个函数的输入,从而形成一个函数。
这不仅仅是管道吗?
代码示例:
var r = f.Compose(g)(x);
不编译。
还有,什么
谢谢
这不行吗?注意,Extension方法必须在公共静态类中,并且方法本身必须是静态的。
public static class FunctionalExtensions
{
public static Func<T, V> Compose<T, U, V>(this Func<U, V> f, Func<T, U> g)
{
return x => f(g(x));
}
}
class Program
{
static void Main(string[] args)
{
Func<double, double>
f1 = Square, // Func<double, double> is a delegate type so we have to create
g1 = AddOne, // an instance for both f and g
h1 = f1.Compose(g1); // This is a Func<double, double> now, (i.e. h(X) = f(g(x)) )
// To call new function do this
double result1 = h1(5.0);
Func<double, double>
f2 = x => x*x,
g2 = x => x + 1,
h2 = f2.Compose(g2);
// To call new function do this
double result2 = h2(5.0);
}
public static double Square(double x)
{
return x * x;
}
public static double AddOne(double x)
{
return x + 1;
}
}
还注意f1: double -> double和g1: double -> double。
在compose函数
中f: V -> U和g: U -> T
so f.g: V -> T
换句话说,在我的例子中,并非所有类型都必须是double类型。你只需要确定定义域函数f(外部函数)包含函数g(内部函数)的值域。在编程这意味着g的返回类型需要与f的参数类型相同(或隐式转换为)。
public static class Extensions
{
// Note extension methods need to be defined in a static class
public static Func<T, V> Compose<T, U, V>(this Func<U, V> f, Func<T, U> g)
{
return x => f(g(x));
}
}
public class CallingClass
{
public void CallingMethod()
{
Func<string, int> f1 = s => int.Parse(s);
Func<int, double> f2 = i => i / 2.0;
// Note which way round f1 and f2 go
Func<string, double> composed = f2.Compose(f1);
var result = composed("3");
// Now result == 1.5
}
}