64.9k views
1 vote
C++ Write a void function that takes three int arguments by reference. Your function should modify the values in the arguments so that the first argument contains the largest value, the second the second-largest, and the third the smallest value. Use the swapValues function to swap the values in each of the arguments if needed. Your function should print out the values before and after the swapping to show it works correctly. Write a simple driver program to test your function.​

User Matt Dunn
by
6.9k points

1 Answer

5 votes

Answer:

Here's the C++ code for the void function:

#include <iostream>

void swapValues(int& a, int& b) {

int temp = a;

a = b;

b = temp;

}

void sortValues(int& a, int& b, int& c) {

std::cout << "Before swapping: " << a << " " << b << " " << c << std::endl;

if (a < b) {

swapValues(a, b);

}

if (b < c) {

swapValues(b, c);

}

if (a < b) {

swapValues(a, b);

}

std::cout << "After swapping: " << a << " " << b << " " << c << std::endl;

}

int main() {

int x = 3, y = 5, z = 1;

sortValues(x, y, z);

return 0;

}

Step-by-step explanation:

In this code, the sortValues function takes three integer arguments by reference, and modifies the values so that the first argument contains the largest value, the second contains the second-largest, and the third contains the smallest value.

The swapValues function is used within sortValues to swap the values in the arguments if needed.

In the main function, we initialize three integer variables with values 3, 5, and 1, respectively, and then call the sortValues function with those variables as arguments. The output of this program should be:

Before swapping: 3 5 1

After swapping: 5 3 1

User Gene
by
7.4k points