164k views
0 votes
Define a function named SortVector that takes a vector of integers as a parameter. Function SortVector() modifies the vector parameter by sorting the elements in descending order (highest to lowest). Then write a main program that reads a list of integers from input, stores the integers in a vector, calls SortVector(), and outputs the sorted vector. The first input integer indicates how many numbers are in the list.

Ex: If the input is:
5 10 4 39 12 2

the output is:
39,12,10,4,2,

For coding simplicity, follow every output value by a comma, including the last one.

Your program must define and call the following function:
void SortVector(vector & myVec)

2 Answers

4 votes

Final answer:

The SortVector function is defined to sort a given vector of integers in descending order using the sort function and a custom comparator in C++. A main program reads integers into the vector, calls SortVector, then outputs the sorted integers with a comma following each number.

Step-by-step explanation:

To define a function named SortVector that sorts a vector of integers in descending order in C++ programming, you can make use of the sort function from the <algorithm> header, along with a custom comparator. Below is an example of how you might define the SortVector function and a main program that uses it:

#include <iostream>
#include <vector>
#include <algorithm>
using namespace std;

// Function to sort the vector in descending order
void SortVector(vector<int> & myVec) {
// Using sort with a lambda expression as comparator
sort(myVec.begin(), myVec.end(), [](int a, int b) {
return a > b; // Sort in descending order
});
}

int main() {
int n, value;
vector<int> numbers;

// Read the size of the vector
cin >> n;

// Read n values into the vector
for(int i = 0; i < n; ++i) {
cin >> value;
numbers.push_back(value);
}

// Sort the vector
SortVector(numbers);

// Output the sorted vector
for(int num : numbers) {
cout << num << ',';
}

return 0;
}

In this example, the SortVector function sorts the vector myVec in descending order using the sort function. The main program reads a list of integers into a vector, calls SortVector, and then prints out the sorted vector, following each number with a comma, as instructed.

User Tobitor
by
7.4k points
3 votes

Answer:

Here is an example implementation of the SortVector function and main program in C++

(Picture attached)

The SortVector function takes in a vector of integers by reference (indicated by the & symbol) and sorts the elements in descending order using the std::sort function from the algorithm library. The greater<int>() function is used as the comparison function to sort the elements in descending order.

Define a function named SortVector that takes a vector of integers as a parameter-example-1
User Damir Porobic
by
7.5k points