删除常规数组的元素


135

我有一个Foo对象数组。如何删除数组的第二个元素?

我需要类似于RemoveAt()常规数组的东西。


1
使用System.Collections.ObjectModel.Collection<Foo>
abatishchev

1
对于我的游戏,我使用了“索引处为空”的数据结构。基本上,内部数组(缓冲区)的大小是静态的,而不是删除索引并调整数组大小,我只是将索引设置为null。当我需要添加一个项目时,我只需找到第一个非空索引并将其放置在该位置即可。效果很好,但显然不能适用于所有情况。
Krythic

Answers:


202

如果您不想使用列表:

var foos = new List<Foo>(array);
foos.RemoveAt(index);
return foos.ToArray();

您可以尝试我尚未实际测试过的这种扩展方法:

public static T[] RemoveAt<T>(this T[] source, int index)
{
    T[] dest = new T[source.Length - 1];
    if( index > 0 )
        Array.Copy(source, 0, dest, 0, index);

    if( index < source.Length - 1 )
        Array.Copy(source, index + 1, dest, index, source.Length - index - 1);

    return dest;
}

并像这样使用它:

Foo[] bar = GetFoos();
bar = bar.RemoveAt(2);

8
此答案中给出的第一个示例比第二个示例效率低得多。它需要两个数组副本,并在索引之后转移所有内容,而不是一个选择性数组副本。
马丁·布朗

2
当然是+1,但我们也可以使用列表,或者List <Foo> list = new List <Foll>(GetFoos()); list.Remove(my_foo); list.RemoveAt(2); 其中GetFoos()将返回Foos数组!
shahjapan

2
方法中的第一行应该说“ source.Length”而不是“ array.Length”。
尼尔森2010年

1
另外,请记住,任何存储对原始数组的引用的变量都将继续包含原始数据,并且源数组和输出数组之间的任何引用相等比较将返回负数。
bkqc

1
@MartinBrown实际上,将列表与数组和从数组进行转换比数组复制要慢得多(数组复制能够通过CPU允许的最大速度,仅用几条ASM指令复制数据)。同样,移动列表非常快,因为只需交换几个指针并删除节点数据(在这种情况下,只有8个字节[对于头\尾指针另加16个字节])即可。
krowe2

66

数组的性质是它们的长度是不可变的。您不能添加或删除任何数组项。

您将必须创建一个短一个元素的新数组,然后将旧项目复制到新数组中(不包括要删除的元素)。

因此,最好使用List而不是数组。


4
将数组转换为列表List<mydatatype> array = new List<mydatatype>(arrayofmydatatype)
不朽的蓝色

1
@ImmortalBlue或仅var myList = myArray.ToList();使用名称空间中的Enumerable.ToList()方法System.Linq
Dyndrilliac

58

我使用此方法从对象数组中删除元素。在我的情况下,我的数组长度很小。因此,如果阵列很大,则可能需要其他解决方案。

private int[] RemoveIndices(int[] IndicesArray, int RemoveAt)
{
    int[] newIndicesArray = new int[IndicesArray.Length - 1];

    int i = 0;
    int j = 0;
    while (i < IndicesArray.Length)
    {
        if (i != RemoveAt)
        {
            newIndicesArray[j] = IndicesArray[i];
            j++;
        }

        i++;
    }

    return newIndicesArray;
}

7
就个人而言,我比接受的答案更喜欢这个答案。它应该同样高效,并且更容易阅读。我可以看一下,知道它是正确的。我将不得不测试另一个,以确保这些副本被正确写入。
oillio 2011年

1
当答案远远低于上面的两个答案时,答案太低了,真是可惜。
Sepulchritude 2012年

Aaarhg,这就是我想要的答案!这是没有列表的最佳方法。
Jordi Huertas

47

LINQ一线解决方案:

myArray = myArray.Where((source, index) => index != 1).ToArray();

1在例子是元素的索引,以除去-在这个例子中,每原来的问题,所述第二元件(带1是在C#从零开始的数组索引的第二个元素)。

一个更完整的示例:

string[] myArray = { "a", "b", "c", "d", "e" };
int indexToRemove = 1;
myArray = myArray.Where((source, index) => index != indexToRemove).ToArray();

运行该代码段后,值myArray将为{ "a", "c", "d", "e" }


1
对于需要高性能/频繁访问的区域,不建议使用LINQ。
Krythic

3
@Krythic这是一个公平的评论。在紧密的循环中运行数千次,该解决方案的性能不如本页上其他一些受好评的
Jon Schneider

9

从.Net 3.5开始,这是一种删除数组元素而不复制到另一个数组的方法-使用具有以下内容的相同数组实例Array.Resize<T>

public static void RemoveAt<T>(ref T[] arr, int index)
{
    for (int a = index; a < arr.Length - 1; a++)
    {
        // moving elements downwards, to fill the gap at [index]
        arr[a] = arr[a + 1];
    }
    // finally, let's decrement Array's size by one
    Array.Resize(ref arr, arr.Length - 1);
}

2
“无需复制到另一个数组”-根据链接的文档,Array.Resize实际上确实在幕后分配了一个新数组,并将元素从旧数组复制到新数组。尽管如此,我还是喜欢这种解决方案的简洁性。
乔恩·施耐德

非常好,请确定您确定它是一个相对较小的数组。
达伦(Darren)2015年

1
继续@JonSchneider的评论,它不是“同一数组实例”。这就是为什么ref在调用该Resize方法时需要使用的原因。数组实例的长度是固定且不可变的。
Jeppe Stig Nielsen

2
如果元素的顺序并不重要,则可以不将所有元素向下移动,而可以将index处的元素与最后一个元素交换,然后重新调整大小:arr [index] = arr [arr.Length-1]; Array.Resize(ref arr,arr.Length-1);
巴特尔

5

这是我拥有的旧版本,可在.NET Framework的1.0版上使用,并且不需要泛型。

public static Array RemoveAt(Array source, int index)
{
    if (source == null)
        throw new ArgumentNullException("source");

    if (0 > index || index >= source.Length)
        throw new ArgumentOutOfRangeException("index", index, "index is outside the bounds of source array");

    Array dest = Array.CreateInstance(source.GetType().GetElementType(), source.Length - 1);
    Array.Copy(source, 0, dest, 0, index);
    Array.Copy(source, index + 1, dest, index, source.Length - index - 1);

    return dest;
}

这样使用:

class Program
{
    static void Main(string[] args)
    {
        string[] x = new string[20];
        for (int i = 0; i < x.Length; i++)
            x[i] = (i+1).ToString();

        string[] y = (string[])MyArrayFunctions.RemoveAt(x, 3);

        for (int i = 0; i < y.Length; i++)
            Console.WriteLine(y[i]);
    }
}

3

不完全是解决此问题的方法,但是如果情况很琐碎并且您珍惜时间,则可以对可为null的类型尝试这种方法。

Foos[index] = null

然后在您的逻辑中检查空条目。


这就是我为游戏做的方式。对于经常更改的区域,请使用可为空的缓冲区。
Krythic's

2

和往常一样,我参加聚会迟到了...

我想在已经存在的漂亮解决方案列表中添加另一个选项。=)
我认为这是扩展的好机会。

参考:http : //msdn.microsoft.com/en-us/library/bb311042.aspx

因此,我们定义了一些静态类,并在其中定义了我们的Method。
之后,我们可以使用我们的扩展方法willy-nilly。=)

using System;

namespace FunctionTesting {

    // The class doesn't matter, as long as it's static
    public static class SomeRandomClassWhoseNameDoesntMatter {

        // Here's the actual method that extends arrays
        public static T[] RemoveAt<T>( this T[] oArray, int idx ) {
            T[] nArray = new T[oArray.Length - 1];
            for( int i = 0; i < nArray.Length; ++i ) {
                nArray[i] = ( i < idx ) ? oArray[i] : oArray[i + 1];
            }
            return nArray;
        }
    }

    // Sample usage...
    class Program {
        static void Main( string[] args ) {
            string[] myStrArray = { "Zero", "One", "Two", "Three" };
            Console.WriteLine( String.Join( " ", myStrArray ) );
            myStrArray = myStrArray.RemoveAt( 2 );
            Console.WriteLine( String.Join( " ", myStrArray ) );
            /* Output
             * "Zero One Two Three"
             * "Zero One Three"
             */

            int[] myIntArray = { 0, 1, 2, 3 };
            Console.WriteLine( String.Join( " ", myIntArray ) );
            myIntArray = myIntArray.RemoveAt( 2 );
            Console.WriteLine( String.Join( " ", myIntArray ) );
            /* Output
             * "0 1 2 3"
             * "0 1 3"
             */
        }
    }
}

2

试试下面的代码:

myArray = myArray.Where(s => (myArray.IndexOf(s) != indexValue)).ToArray();

要么

myArray = myArray.Where(s => (s != "not_this")).ToArray();

1

这是我的做法...

    public static ElementDefinitionImpl[] RemoveElementDefAt(
        ElementDefinition[] oldList,
        int removeIndex
    )
    {
        ElementDefinitionImpl[] newElementDefList = new ElementDefinitionImpl[ oldList.Length - 1 ];

        int offset = 0;
        for ( int index = 0; index < oldList.Length; index++ )
        {
            ElementDefinitionImpl elementDef = oldList[ index ] as ElementDefinitionImpl;
            if ( index == removeIndex )
            {
                //  This is the one we want to remove, so we won't copy it.  But 
                //  every subsequent elementDef will by shifted down by one.
                offset = -1;
            }
            else
            {
                newElementDefList[ index + offset ] = elementDef;
            }
        }
        return newElementDefList;
    }

1

在普通数组中,您必须将2以上的所有数组条目改组,然后使用Resize方法调整其大小。您最好使用ArrayList。


1
    private int[] removeFromArray(int[] array, int id)
    {
        int difference = 0, currentValue=0;
        //get new Array length
        for (int i=0; i<array.Length; i++)
        {
            if (array[i]==id)
            {
                difference += 1;
            }
        }
        //create new array
        int[] newArray = new int[array.Length-difference];
        for (int i = 0; i < array.Length; i++ )
        {
            if (array[i] != id)
            {
                newArray[currentValue] = array[i];
                currentValue += 1;
            }
        }

        return newArray;
    }

0

这是我根据一些现有答案生成的一小部分辅助方法。它利用扩展和静态方法以及参考参数来实现最大的理想度:

public static class Arr
{
    public static int IndexOf<TElement>(this TElement[] Source, TElement Element)
    {
        for (var i = 0; i < Source.Length; i++)
        {
            if (Source[i].Equals(Element))
                return i;
        }

        return -1;
    }

    public static TElement[] Add<TElement>(ref TElement[] Source, params TElement[] Elements)
    {
        var OldLength = Source.Length;
        Array.Resize(ref Source, OldLength + Elements.Length);

        for (int j = 0, Count = Elements.Length; j < Count; j++)
            Source[OldLength + j] = Elements[j];

        return Source;
    }

    public static TElement[] New<TElement>(params TElement[] Elements)
    {
        return Elements ?? new TElement[0];
    }

    public static void Remove<TElement>(ref TElement[] Source, params TElement[] Elements)
    {
        foreach (var i in Elements)
            RemoveAt(ref Source, Source.IndexOf(i));
    }

    public static void RemoveAt<TElement>(ref TElement[] Source, int Index)
    {
        var Result = new TElement[Source.Length - 1];

        if (Index > 0)
            Array.Copy(Source, 0, Result, 0, Index);

        if (Index < Source.Length - 1)
            Array.Copy(Source, Index + 1, Result, Index, Source.Length - Index - 1);

        Source = Result;
    }
}

在性能方面,它是不错的,但是可能会得到改进。Remove依赖IndexOf并为您希望通过调用删除的每个元素创建一个新的数组RemoveAt

IndexOf是唯一的扩展方法,因为它不需要返回原始数组。New接受某种类型的多个元素以产生所述类型的新数组。所有其他方法都必须接受原始数组作为参考,因此以后无需分配结果,因为结果已经在内部发生。

我将定义一种Merge合并两个数组的方法;但是,这可以Add通过传入一个实际数组而不是多个单独元素的方法来完成。因此,Add可能以以下两种方式使用来连接两组元素:

Arr.Add<string>(ref myArray, "A", "B", "C");

要么

Arr.Add<string>(ref myArray, anotherArray);

-1

我知道这篇文章已经十岁了,因此可能已经死了,但是这是我尝试做的事情:

使用System.Linq中的IEnumerable.Skip()方法。它将跳过数组中的所选元素,并返回该数组的另一个副本,该副本仅包含除所选对象之外的所有内容。然后,对要删除的每个元素重复该操作,然后将其保存到变量中。

例如,如果我们有一个名为“ Sample”(类型为int [])的数组,其中包含5个数字。我们要删除第二个,因此尝试“ Sample.Skip(2);”。应该返回相同的数组,除了没有第二个数字。


此方法不是只绕过序列中指定数量的元素然后返回剩余的元素吗?在您的示例中,您将“跳过”通用列表的前两个元素,而不仅仅是第二个!
xnr_z

-4

第一步,
您需要将数组转换为列表,可以编写这样的扩展方法

// Convert An array of string  to a list of string
public static List<string> ConnvertArrayToList(this string [] array) {

    // DECLARE a list of string and add all element of the array into it

    List<string> myList = new List<string>();
    foreach( string s in array){
        myList.Add(s);
    }
    return myList;
} 

第二步
编写扩展方法以将列表转换回数组

// convert a list of string to an array 
public static string[] ConvertListToArray(this List<string> list) {

    string[] array = new string[list.Capacity];
    array = list.Select(i => i.ToString()).ToArray();
    return array;
}

最后的步骤
编写最终方法,但是在转换回如代码所示的数组之前,请记住删除索引处的元素

public static string[] removeAt(string[] array, int index) {

    List<string> myList = array.ConnvertArrayToList();
    myList.RemoveAt(index);
    return myList.ConvertListToArray();
} 

示例代码可以在我的博客上找到,并保持跟踪。


13
考虑到的存在.ToArray()以及List<T>采用现有序列的构造函数,这有点发疯……
user7116 2013年
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.