代表预测有用性

时间:2015-01-28 05:39:17

标签: c# delegates predicates

下面的示例显示使用predicate来评估硬编码值为100000的条件。无法向FindPoints方法添加其他参数,因为它会违反谓词参数约束。

这会带来使用谓词的价值。显然Lambda解决了这个问题..但是,鉴于这种看似奇怪的约束,任何人都可以详细说明谓词在现实生活场景中的有用性。

为什么有人会使用谓词,如果他们不接受T以外的参数?

using System;
using System.Drawing;

public class Example
{
   public static void Main()
   {
      // Create an array of Point structures.
      Point[] points = { new Point(100, 200), 
                         new Point(150, 250), new Point(250, 375), 
                         new Point(275, 395), new Point(295, 450) };

      // Define the Predicate<T> delegate.
      Predicate<Point> predicate = FindPoints;

      // Find the first Point structure for which X times Y   
      // is greater than 100000. 
      Point first = Array.Find(points, predicate);

      // Display the first structure found.
      Console.WriteLine("Found: X = {0}, Y = {1}", first.X, first.Y);
   }

   private static bool FindPoints(Point obj)
   {
      return obj.X * obj.Y > 100000;
   }
}
// The example displays the following output: 
//        Found: X = 275, Y = 395

编辑:Lambda用法做同样的事情,如下。

using System;
using System.Drawing;

public class Example
{
   public static void Main()
   {
      // Create an array of Point structures.
      Point[] points = { new Point(100, 200), 
                         new Point(150, 250), new Point(250, 375), 
                         new Point(275, 395), new Point(295, 450) };

      // Find the first Point structure for which X times Y   
      // is greater than 100000. 
      Point first = Array.Find(points, x => x.X * x.Y > 100000 );

      // Display the first structure found.
      Console.WriteLine("Found: X = {0}, Y = {1}", first.X, first.Y);
   }
}
// The example displays the following output: 
//        Found: X = 275, Y = 395

这是MSDN。  这篇文章提供了很好的例子,但似乎没有解决我的问题。

1 个答案:

答案 0 :(得分:1)

即使使用lambda表达式声明谓词,提供匿名方法而不是命名方法,lambda 仍然只接受特定类型。只是编译器推断出所需的类型(但请注意,C#实际上允许对lambda语法进行变体显式指定类型)。

所以这两种方法同样有用;如果你理解为什么一个是有用的(例如lambda语法),那么你就明白为什么另一个是有用的。

它们都很有用,因为通过传递谓词委托实例,您可以自定义要调用的方法的行为。例如。在这种情况下,您使用的是Array.Find()方法。使用谓词委托实例,无论是首先存储在局部变量中还是直接直接传递,以及是使用命名方法还是使用匿名方法声明,都允许Array.Find()方法实现迭代的所有无聊,重复的工作通过数组,同时允许调用者提供有趣的,特定于场景的逻辑。

要清楚,您的两个示例实际上基本相同,特别是因为您正在处理谓词的静态方法。声明中存在细微差别,但是一旦使用代码完成优化JIT编译器,在运行时执行的内容实际上是相同的。即使是从你的C#程序编译的IL也将在结构上相同,尽管会有一些命名差异。您可以通过比较编译版本来自行验证,例如:使用ildasm.exe工具或类似dotPeek反编译器。

我还要指出,您提供了两个示例 - 使用局部变量和命名方法,以及使用没有局部变量的匿名方法 - 但至少有两个其他示例也同样相同:

使用匿名方法的局部变量:

  Predicate<Point> predicate = x => x.X * x.Y > 100000;

  Point first = Array.Find(points, predicate);

没有局部变量的命名方法:

  Point first = Array.Find(points, FindPoints);

在最后一个示例中,编译器推断委托类型,自动创建委托实例,就像将方法组名称分配给局部变量时一样。