我有这个非常简单的数组,我希望能够移动一些项目。在c#中是否有任何内置工具来执行此操作?如果没有,你有任何关于如何做的建议。
在示例中
var smallArray = new string[4];
smallArray[0] = "a";
smallArray[1] = "b";
smallArray[2] = "c";
smallArray[3] = "d";
然后我想(以编程方式)移动索引2和0,创建
smallArray[0] = "c";
smallArray[1] = "a";
smallArray[2] = "b";
smallArray[3] = "d";
感谢。
答案 0 :(得分:16)
编辑:好的,现在你已经改变了这个例子,没有任何内置的东西 - 写起来实际上有点痛苦......你需要考虑你移动它的情况“例如,“你正在向下移动它”。你需要单元测试,但我认为这应该这样做......
public void ShiftElement<T>(this T[] array, int oldIndex, int newIndex)
{
// TODO: Argument validation
if (oldIndex == newIndex)
{
return; // No-op
}
T tmp = array[oldIndex];
if (newIndex < oldIndex)
{
// Need to move part of the array "up" to make room
Array.Copy(array, newIndex, array, newIndex + 1, oldIndex - newIndex);
}
else
{
// Need to move part of the array "down" to fill the gap
Array.Copy(array, oldIndex + 1, array, oldIndex, newIndex - oldIndex);
}
array[newIndex] = tmp;
}
您应该考虑使用List<T>
而不是数组,这允许您在特定索引处插入和删除。这两个操作比仅复制相关部分更昂贵,但它更具可读性。
答案 1 :(得分:5)
这是一个现存的问题:
C# Array Move Item (Not ArrayList/Generic List)
答案是:
void MoveWithinArray(Array array, int source, int dest)
{
Object temp = array.GetValue(source);
Array.Copy(array, dest, array, dest + 1, source - dest);
array.SetValue(temp, dest);
}
答案 2 :(得分:0)
这解决了我的问题
var arr = new ArrayList
{
"a", "b", "c", "d", "e", "f"
};
var first = arr[2]; //pass the value which you want move from
var next = arr[5]; //pass the location where you want to place
var m = 0;
var k = arr.IndexOf(first, 0, arr.Count);
m = arr.IndexOf(next, 0, arr.Count);
if (k > m)
{
arr.Insert(m, first);
arr.RemoveAt(k + 1);
}
else
{
arr.Insert(k, next);
arr.RemoveAt(m + 1);
}
返回a,b,f,c,d,e
答案 3 :(得分:0)
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace SecondLargest
{
class ArraySorting
{
public static void Main()
{
int[] arr={5,0,2,1,0,44,0,9,1,0,23};
int[] arr2 = new int[arr.Length];
int arr2Index = 0;
foreach (int item in arr)
{
if(item==0)
{
arr2[arr2Index] = item;
arr2Index++;
}
}
foreach (int item in arr)
{
if(item!=0)
{
arr2[arr2Index] = item;
arr2Index++;
}
}
foreach (int item in arr2)
{
Console.Write(item+" ");
}
Console.Read();
}
}
}