我能够从2D数组(列)生成平均值。虽然我无法弄明白,但如何对平均值进行排序。我必须创建一个新数组(rankedscore[]
)。
非常感谢任何帮助:
int rankedArtist() // ranked artist based on score
{
const int A1_SIZE = 5, A2_ROWSIZE =5, A2_COLSIZE =10;
string Artist[A1_SIZE]={ "Degas", "Holbien", "Monet", "Matisse", "Valesquez" };
int Scores[A2_ROWSIZE][A2_COLSIZE] = {{5,5,6,8,4,6,8,8,8,10},{8,8,8,8,8,8,8,8,8,8},
{10,10,10,10,10,10,10,10,10,10},{5,0,0,0,0,0,0,0,0,0},{5,6,8,10,4,0,0,0,0,0}};
cout << "\n\n\t-------------------------------------------" << endl;
cout << "\t\tRanking by Artist"<< endl;
cout << "\t===========================================" << endl;
int total = 0;
float faverage;
double AverageScore[5];
double average;
double rankedscore[A2_ROWSIZE];
for (int x=0; x<5; x++)
{
cout << "\n\t" << Artist[x] << "\t\t";
for (int col = 0; col < A2_COLSIZE; col++)
{
total+=Scores[x][col];
}
faverage = (float)total / 10.0f;
average = total = 0;
AverageScore[x] = faverage;
}
}
答案 0 :(得分:1)
虽然我无法弄明白,但如何对平均值进行排序。
我会使用std::pair
将艺术家映射到分数。然后我会使用std::sort
来实现排序:
#include <vector>
#include <utility>
#include <string>
#include <algorithm>
#include <iostream>
int main()
{
std::vector<std::string> artists{ "Degas", "Holbien", "Monet", "Matisse", "Valesquez" };
std::vector<std::vector<int>> scores{{ 3, 2, 1 }, { 5, 4, 3 }};
std::vector<std::pair<std::string, int>> chart;
for (auto name = artists.begin(); name != artists.end(); ++name)
{
for (auto score = scores.begin(); score != scores.end(); ++score)
{
int total = std::accumulate(score->begin(), score->end(), 0);
int average = total / score->size();
chart.push_back(std::make_pair(*name, average));
}
}
struct
{
bool operator()(std::pair<std::string, int> p1, std::pair<std::string, int> p2) const
{
return p1.second < p2.second;
}
} Predicate;
std::sort(chart.begin(), chart.end(), Predicate);
for (auto it = chart.begin(); it != chart.end(); ++it)
{
std::cout << it->first << ": " << it->second << std::endl;
}
}
答案 1 :(得分:0)