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.