0

代码:

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Collections;

namespace LambdaExtensionEx
{
    class Program
    {
        static void Main(string[] args)
        {
            string[] myStrngs = new string[] { "Super","Simple","Okay"};
            IEnumerable<string> criteraStrngs = myStrngs.WhereSearch<string>(delegate(string s)
            {
                return s.StartsWith("s");
            });

            string s1 = "dotnet";
            int count = s1.GetCount();

            Console.ReadLine();
        }
    }

    public static class MyExtension
    {
        public delegate bool Criteria<T>(T Value);

        public static IEnumerable<T> WhereSearch<T>(this IEnumerable<T> values, Criteria<T> critera)
        {
            foreach (T value in values)
                if (critera(value))
                    yield return value;
        }

        public static int GetCount(this string value)
        {
            return value.Count();
        }
    }
}

我可以调用 GetCount 扩展方法,并在“计数”中得到结果。但是在任何时候都没有调用 WhereSearch 并且没有得到结果。我在做什么错?

4

2 回答 2

5

WhereSearch如果要执行该函数,则需要开始枚举该函数返回的结果。这样做的原因是因为这个函数yield returns是一个IEnumerable<T>. C# 编译器所做的是构建一个状态机,并且在调用代码开始枚举结果之前不会立即执行该函数。

例如:

// The function is not executed at this stage because this function uses 
// yield return to build an IEnumerable<T>
IEnumerable<string> criteraStrngs = myStrngs.WhereSearch<string>(delegate(string s)
{
    return s.StartsWith("s");
});
// Here we start enumerating over the result => the code will start executing
// the function.
foreach (var item in criteraStrngs)
{
    Console.WriteLine(item);
}

另一个例子是调用一些 LINQ 扩展方法,例如.ToList()在实际枚举和调用函数的结果上:

IEnumerable<string> criteraStrngs = myStrngs.WhereSearch<string>(delegate(string s)
{
    return s.StartsWith("s");
})
.ToList();

有关在这种情况下延迟加载如何工作的更多详细信息,您可以查看following post.

于 2013-02-23T16:57:31.020 回答
0

你的扩展方法类没有多大意义——你为什么不这样做呢?

 class Program
{
    static void Main(string[] args)
    {
        string[] myStrngs = new string[] { "Super", "Simple", "Okay" };
        IEnumerable<string> criteraStrngs = myStrngs.Where(x => x.StartsWith("s"));

        string s1 = "dotnet";
        int count = s1.Count();

        Console.ReadLine();

    }
}

正如 Darin Dimitrov 之前所说 - 您仍然需要枚举 criteriaStrngs 才能从中获得结果 - 这是您原始代码的问题所在。

高温高压

于 2013-02-23T17:08:03.400 回答