代码之家  ›  专栏  ›  技术社区  ›  MetaColon

不可变插入替代

  •  0
  • MetaColon  · 技术社区  · 6 年前

    Collection<T>.Insert(Int32, T) 方法。

    在我的具体案例中,我有这样一种方法:

    IEnumerable<int> Foo(IEnumerable<int> parameter, int index)
    {
        var copiedParameter = new List<int>(parameter);
        copiedParameter.Insert(index, 42);
        return copiedParameter;
    }
    

    IEnumerable<int> Foo(IEnumerable<int> parameter, int index) => parameter.InsertImmutable(index, 42);
    

    当然,我可以这样写一个扩展方法:

    public static IEnumerable<T> InsertImmutable<T>(this IEnumerable<T> collection, int index, T value)
    {
        var copiedCollection = new List<T>(collection);
        copiedCollection.Insert(index, value);
        return copiedCollection;
    }
    

    但这显然并不能真正改善情况,它只是把问题转移到另一个地方。

    public static IEnumerable<T> InsertImmutable<T>(this IEnumerable<T> collection, int index, T value)
    {
        var i = 0;
        foreach (var item in collection)
        {
            if (i == index)
                yield return value;
            yield return item;
    
            i++;
        }
    }
    

    但是,这会迭代 IEnumerable 这又会降低效率。

    有没有更好的、懒惰的、不变的方法来做到这一点?

    1 回复  |  直到 6 年前
        1
  •  0
  •   MetaColon    6 年前

    事实上,解决方案已经接近问题,正如评论所暗示的那样。下面的代码很好地解决了我的问题:

    private static IEnumerable<T> InsertImmutable<T>(this IEnumerable<T> collection, int index, T value)
    {
        var i = 0;
        var inserted = false;
        foreach (var item in collection)
        {
            if (i == index)
            {
                inserted = true;
                yield return value;
            }
    
            yield return item;
    
            i++;
        }
    
        if (!inserted)
            yield return value;
    }