How to shift an array cyclically in C#?

You can achieve array rotation by using the Copy method in the Array class. The specific steps are as follows:

  1. Define an integer variable shift to represent the number of shifts.
  2. Use the Copy method of the Array class to copy the elements of the original array to a new array.
  3. Traverse the original array using a for loop, and copy elements from the original array starting from the shift position to the first shift positions of the new array.
  4. Use a for loop to iterate through the original array again, copying the elements from the original array starting at index 0 to the end of the new array.
  5. Return a new array as the result of the shift.

Here is an example code:

using System;

class Program
{
    static void Main()
    {
        int[] array = { 1, 2, 3, 4, 5 };
        int shift = 2;

        int[] shiftedArray = ShiftArray(array, shift);

        Console.WriteLine("原数组:");
        foreach (int num in array)
        {
            Console.Write(num + " ");
        }

        Console.WriteLine("\n移位后的数组:");
        foreach (int num in shiftedArray)
        {
            Console.Write(num + " ");
        }
    }

    static int[] ShiftArray(int[] array, int shift)
    {
        int[] shiftedArray = new int[array.Length];

        Array.Copy(array, shiftedArray, array.Length);

        for (int i = 0; i < array.Length; i++)
        {
            shiftedArray[i] = array[(i + shift) % array.Length];
        }

        return shiftedArray;
    }
}

Running the above code will yield the following output:

原数组:
1 2 3 4 5
移位后的数组:
4 5 1 2 3

In this example, the original array is {1, 2, 3, 4, 5} and the number of shifts is 2. The resulting array after shifting is {4, 5, 1, 2, 3}.

bannerAds