Reverse an Array In-Place

Code

#include <stdio.h>

void reverse_array(int arr[], int n) {
    // Your logic here
    int copy_arr[n]; // to set it with reversed values
    int copy_idx = n -1;
    // copy the given array in copy array
    for(int i = 0; i < n; i++)
    {
        copy_arr[i] = arr[copy_idx];
        copy_idx--; 
    }

    // set the reversed arr in the give array
    for(int i = 0; i < n; i++)
    {
        arr[i] = copy_arr[i];
    }
}

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;
}

Solving Approach

 

 

 

Upvote
Downvote
Loading...

Input

5 1 2 3 4 5

Expected Output

5 4 3 2 1