'Can you solve it?

Define a C function void swapItems (int *a, int i, int j) that inter- exchange the array elements at index i and j. For a [] = {6,7,8,2,3}, a call to swapItems (a,1,3) makes a [] = {6,2,8,7, 3}.



Solution 1:[1]

I created a temporary variable to swap the array elements.

#include <stdio.h>

void swapItems(int*, int, int);
void printItems(int[], int);

int main()
{
    int a[] = { 6, 7, 8, 2, 3 };
    
    swapItems(a, 1, 3);
    printItems(a, sizeof(a) / sizeof(int));

    return 0;
}

void swapItems(int* a, int i, int j)
{
    int temporary = a[i];
    
    a[i] = a[j];
    a[j] = temporary;
}

void printItems(int a[], int size_n)
{
    for (int i = 0; i < size_n; i++)
    {
        printf("%d, ", a[i]);
    }
    printf("\n");
}

The output of this code is 6, 2, 8, 7, 3.

Sources

This article follows the attribution requirements of Stack Overflow and is licensed under CC BY-SA 3.0.

Source: Stack Overflow

Solution Source
Solution 1 LuisUrzua