3

我希望能够做这样的事情来设置网格数据结构。

IReadOnlyList<Point> points;
IReadOnlyList<IReadOnlyList<int>> triangles;

其中三角形是点列表的索引。给定三角形 ''ti'' 的索引,我们可以很容易地找到这些点

IEnumerable<Point> points = triangles[ti].Select(pi=>points[pi])

但是我希望能够定义一个方便的结构

IReadOnlyList<IReadOnlyList<Point>> trianglesAsPoints;

所以我可以

IEnumerable<Point> points = triangles[ti]

这样做的明显方法是创建一个类似 linq 的选择器

IReadOnlyList<T> Select( this IReadOnlyList<U> This
                             , Func<U,T> selector)

它返回一个实例,其类覆盖以下方法并调用选择器

public interface IReadOnlyList<out T> : IReadOnlyCollection<T>, IEnumerable<T>, IEnumerable
{
    // Summary:
    //     Gets the element at the specified index in the read-only list.
    //
    // Parameters:
    //   index:
    //     The zero-based index of the element to get.
    //
    // Returns:
    //     The element at the specified index in the read-only list.
    T this[int index] { get; }
}

这种模式的标准库或 nuget 中是否存在这样的工厂?请注意,我不希望 IEnumerable 作为结果,因为我会失去索引能力和 Count 属性,我只想懒惰地转换值,这意味着 预先将所有值复制到新的列表实例。

4

2 回答 2

2

我不相信框架中有任何东西可以做到这一点,不。自己实现显然相当容易,但我相信你必须这样做。完全有可能有 3rd 方库可以做到这一点,但IReadOnlyCollection仅在 .NET 4.5 中,它的可能性低于接口已经存在一段时间的可能性。

我建议将其称为除此之外的其他Select名称-我会使用ProjectView或类似的名称。当然,这意味着它不适用于 LINQ 查询表达式,但任何阅读代码的人都会更清楚它不仅仅是Enumerable.Select.

于 2013-03-13T07:29:18.860 回答
1

这是该问题的手卷解决方案

public static class CollectionMixins
{
    private class ReadOnlyListProjection<U,T> : IReadOnlyList<T>
    {

        public Func<U,T> Selector { get; private set; }
        public IList<U> List { get; private set; }

        public ReadOnlyListProjection(IList<U> list, Func<U, T> selector)
        {
            List = list;
            Selector = selector;
        }

        public T this[int index]
        {
            get { return Selector(List[index]);  }
        }

        public int Count
        {
            get { return List.Count; }
        }

        public IEnumerator<T> GetEnumerator()
        {
            return List.Select(Selector).GetEnumerator();
        }

        System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator()
        {
            return List.Select(Selector).GetEnumerator();
        }
    }

    public static IReadOnlyList<T> ProjectReadOnly<U, T>(this IList<U> This, Func<U, T> fn)
    {
        return new ReadOnlyListProjection<U, T>(This, fn);
    }
}

所以我现在可以做

IList<int> foo = new List<int>{0,1,2};
IReadOnlyList<string> bar = foo.ProjectReadOnly( x=>x.ToString() );
于 2013-03-13T07:49:14.987 回答