我有一个Foo对象数组.如何删除数组的第二个元素?
我需要类似于RemoveAt()
常规数组的东西.
如果您不想使用List:
var foos = new List(array); foos.RemoveAt(index); return foos.ToArray();
您可以尝试我尚未测试过的扩展方法:
public static T[] RemoveAt(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);
数组的本质是它们的长度是不可变的.您无法添加或删除任何数组项.
您必须创建一个较短的元素的新数组,并将旧项目复制到新数组,不包括要删除的元素.
所以最好使用List而不是数组.
我使用此方法从对象数组中删除元素.在我的情况下,我的阵列长度很小.因此,如果您有大型阵列,则可能需要其他解决方案.
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; }
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" }
.
这是一种删除数组元素的方法,如.Net 3.5,无需复制到另一个数组 - 使用相同的数组实例Array.Resize
:
public static void RemoveAt(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); }
这是我的旧版本,它适用于.NET框架的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]); } }