All submissions

Reverse an Array In-Place

 

#include <stdio.h>

void reverse_array(int arr[], int n) {
    // Your logic here
    int start = 0;         // Index of the first element
    int end = n - 1;       // Index of the last element

    // Swap elements from both ends moving towards the center
    while (start < end) 
    {
        // Swap arr[start] and arr[end]
        int temp = arr[start];
        arr[start] = arr[end];
        arr[end] = temp;

        // Move pointer inward
        start++;
        end--;
    } 
}

int main() {
    int n;
    scanf("%d", &n);

    int arr[100];
    for (int i = 0; i < n; i++) {
        scanf("%d", &arr[i]);
    }

    reverse_array(arr, n);

    for (int i = 0; i < n; i++) {
        printf("%d", arr[i]);
        if(i < n-1){
        	printf(" ");
        }
    }
    return 0;
}

 

 

 

 

Loading...

Input

5 1 2 3 4 5

Expected Output

5 4 3 2 1