我有一个int数组包含从索引0开始的一些值。我想交换两个值,例如索引0的值应该与索引1的值交换。我怎样才能在c#数组中执行此操作? / p>
答案 0 :(得分:5)
使用元组
int[] arr = { 1, 2, 3 };
(arr[0], arr[1]) = (arr[1], arr[0]);
Console.WriteLine(string.Format($"{arr[0]} {arr[1]} {arr[2]}")); // 2 1 3
答案 1 :(得分:4)
您可以创建一个适用于任何数组的扩展方法
public static void SwapValues<T>(this T[] source, long index1, long index2)
{
T temp = source[index1];
source[index1] = source[index2];
source[index2] = temp;
}
答案 2 :(得分:3)
如果您真的只想交换,可以使用此方法:
public static bool swap(int x, int y, ref int[] array){
// check for out of range
if(array.Length <= y || array.Length <= x) return false;
// swap index x and y
var buffer = array[x];
array[x] = array[y];
array[y] = buffer;
return true;
}
x和y是应该交换的indizies。
如果你想与任何类型的数组交换,那么你可以这样做:
public static bool swap<T>(this T[] objectArray, int x, int y){
// check for out of range
if(objectArray.Length <= y || objectArray.Length <= x) return false;
// swap index x and y
T buffer = objectArray[x];
objectArray[x] = objectArray[y];
objectArray[y] = buffer;
return true;
}
你可以这样称呼:
string[] myArray = {"1", "2", "3", "4", "5", "6"};
if(!swap<string>(myArray, 0, 1)) {
Console.WriteLine("x or y are out of range!");
return;
}
答案 3 :(得分:1)
static void SwapInts(int[] array, int position1, int position2)
{
int temp = array[position1]; // Copy the first position's element
array[position1] = array[position2]; // Assign to the second element
array[position2] = temp; // Assign to the first element
}
调用此函数并打印elemet
答案 4 :(得分:1)
只交换两个值一次,或者想对整个数组进行相同的操作。
假设您只想交换两次且类型为整数,那么您可以试试这个:
int temp=0;
temp=arr[0];
arr[0]=arr[1];
arr[1]=temp;
答案 5 :(得分:1)
可以通过异或运算符(数学魔术)交换 2 个值,如下所示
public static void Swap(int[] a, int i, int k)
{
a[i] ^= a[k];
a[k] ^= a[i];
a[i] ^= a[k];
}
答案 6 :(得分:0)
我刚写了类似的东西,所以这里有一个版本
享受:)
[TestClass]
public class MiscTests
{
[TestMethod]
public void TestSwap()
{
int[] sa = {3, 2};
sa.Swap(0, 1);
Assert.AreEqual(sa[0], 2);
Assert.AreEqual(sa[1], 3);
}
}
public static class SwapExtension
{
public static void Swap<T>(this T[] a, int i1, int i2)
{
T t = a[i1];
a[i1] = a[i2];
a[i2] = t;
}
}