32

如何定义IEnumerable<T>返回的扩展方法IEnumerable<T>?目标是使扩展方法对所有人可用,并且IEnumerable可以是匿名类型。IEnumerable<T>T

4

3 回答 3

50

编写任何迭代器的最简单方法是使用迭代器块,例如:

static IEnumerable<T> Where<T>(this IEnumerable<T> data, Func<T, bool> predicate)
{
    foreach(T value in data)
    {
        if(predicate(value)) yield return value;
    }
}

这里的关键是“ yield return”,它将方法变成一个迭代器块,编译器生成一个枚举器(IEnumerator<T>),它做同样的事情。调用时,泛型类型推断会T自动处理,因此您只需要:

int[] data = {1,2,3,4,5};
var odd = data.Where(i=>i%2 != 0);

以上可以与匿名类型一起使用就好了。

当然,您可以指定T是否需要(只要它不是匿名的):

var odd = data.Where<int>(i=>i%2 != 0);

Re IEnumerable(非通用),嗯,最简单的方法是让调用者使用.Cast<T>(...).OfType<T>(...)获得IEnumerable<T>第一个。您可以在上面传入this IEnumerable,但调用者必须指定T自己,而不是让编译器推断它。您不能将其与T匿名类型一起使用,因此这里的寓意是:不要将非泛型形式IEnumerable与匿名类型一起使用。

有一些稍微复杂的场景,方法签名使得编译器无法识别T(当然你不能为匿名类型指定它)。在这些情况下,通常可以重新考虑编译器可以在推理中使用的不同签名(可能通过直通方法),但您需要在此处发布实际代码以提供答案。


(更新)

经过讨论,这是一种利用Cast<T>匿名类型的方法。关键是提供一个可用于类型推断的参数(即使从未使用过该参数)。例如:

static void Main()
{
    IEnumerable data = new[] { new { Foo = "abc" }, new { Foo = "def" }, new { Foo = "ghi" } };
    var typed = data.Cast(() => new { Foo = "never used" });
    foreach (var item in typed)
    {
        Console.WriteLine(item.Foo);
    }
}

// note that the template is not used, and we never need to pass one in...
public static IEnumerable<T> Cast<T>(this IEnumerable source, Func<T> template)
{
    return Enumerable.Cast<T>(source);
}
于 2008-11-10T06:27:20.300 回答
7
using System;
using System.Collections.Generic;

namespace ExtentionTest {
    class Program {
        static void Main(string[] args) {

            List<int> BigList = new List<int>() { 1,2,3,4,5,11,12,13,14,15};
            IEnumerable<int> Smalllist = BigList.MyMethod();
            foreach (int v in Smalllist) {
                Console.WriteLine(v);
            }
        }

    }

    static class EnumExtentions {
        public static IEnumerable<T> MyMethod<T>(this IEnumerable<T> Container) {
            int Count = 1;
            foreach (T Element in Container) {
                if ((Count++ % 2) == 0)
                    yield return Element;
            }
        }
    }
}
于 2008-11-10T06:32:32.643 回答
0

这篇文章可以帮助您入门:How do you write a C# Extension Method for a Generically Typed Class。我不确定它是否正是您正在寻找的东西,但它可能会让您入门。

于 2008-11-10T06:04:28.427 回答