0

我有这个从 Internet 下载的 IEnumerable 扩展方法,我正在努力编写一个有效的回顾性测试

扩展方法

public static bool In<T>(this T source, params T[] list) where T : IEnumerable
{
    if (source == null) throw new ArgumentNullException("source");
    return list.Contains(source);
}

测试

[TestMethod]
public void In()
{

    IEnumerable<int> search = new int[] { 0 };
    IEnumerable<int> found = new int[] { 0, 0, 1, 2, 3 };
    IEnumerable<int> notFound = new int[] { 1, 5, 6, 7, 8 };

    Assert.IsTrue(search.In(found));
    Assert.IsFalse(search.In(notFound));
}

结果

所有代码都可以编译,但在两个断言中,当我相信第一个断言search.In(found)应该返回 true 时,扩展方法的结果返回 false。

问题

我在调用代码中做错了什么还是扩展有问题?

4

3 回答 3

1

要进行此测试,应如下所示:

[TestMethod]
public void In()
{

    IEnumerable<int> search = new int[] { 0 };
    IEnumerable<int> a = new int[] { 0, 0, 1, 2, 3 };
    IEnumerable<int> b = new int[] { 0, 0, 1, 2, 3 };
    IEnumerable<int> c = new int[] { 0};

    Assert.IsTrue(search.In(a,b,c));
    Assert.IsFalse(search.In(a,b));
}

这是因为您在这里搜索整个 int 数组,而不是其中的项目

在上面的代码中,您正在检查所有传递的参数中是否有您正在搜索的数组

如果您想要检查项目是否在列表中的扩展,请尝试以下操作:

public static bool In<T> (this T value, IEnumerable<T> list)
{
     return list.Contains(value);
}

然后你可以这样做:

[TestMethod]
public void In()
{

    IEnumerable<int> search = 0;
    IEnumerable<int> found = new int[] { 0, 0, 1, 2, 3 };
    IEnumerable<int> notFound = new int[] { 1, 5, 6, 7, 8 };

    Assert.IsTrue(search.In(found));
    Assert.IsFalse(search.In(notFound));
}

编辑:

感谢您的评论马辛

于 2013-09-18T12:13:17.997 回答
1

TIEnumerable<int>这里,不是int。将局部变量键入为int[]。现在,您正在使用params 参数槽中In的单个调用。IEnumerable<int>

再看看你那里的扩展是假的。为什么源和搜索项(参数参数)都应该是IEnumerable?没有意义。这是一个工作版本:

    public static bool In<T>(this T operand, params T[] values) where T : IEquatable<T>
    {
        if (values == null) throw new ArgumentNullException("operand");

        return In(operand, ((IEnumerable<T>)values));
    }
    public static bool In<T>(this T operand, IEnumerable<T> values) where T : IEquatable<T>
    {
        if (values == null) throw new ArgumentNullException("operand");

        return values.Contains(operand);
    }
于 2013-09-18T12:13:25.293 回答
0

如果要检查天气中的所有元素source都在list

    public static bool In<T>(this IEnumerable<T> source, IEnumerable<T> list)
    {
        if (source == null) throw new ArgumentNullException("source");
        return source.All(e => list.Contains(e));
    }

    IEnumerable<int> search = new int[] { 0 };
    IEnumerable<int> found = new int[] { 0, 0, 1, 2, 3 };
    IEnumerable<int> notFound = new int[] { 1, 5, 6, 7, 8 };

    Console.WriteLine(search.In(found));//True
    Console.WriteLine(search.In(notFound));//False
于 2013-09-18T12:24:21.220 回答