在玩家评分计划中显示低于平均得分

时间:2017-04-03 05:03:56

标签: c++ arrays if-statement average

我正在尝试创建一个程序,用户可以输入最多100个玩家名称和分数,然后打印出所有玩家的名字和分数,然后是平均分数,最后,显示分数低于平均水平的球员。我已经设法完成所有这些,除了最后一块,显示低于平均分数。我有点不确定如何去做。在我的DesplayBelowAverage函数中,我试图让它读取当前玩家的分数并将其与平均值进行比较,以查看是否应将其打印为低于平均分数,但它似乎无法识别我创建的averageScore值在CalculateAverageScores函数中。这是我的代码:

#include <iostream>
#include <string>

using namespace std;

int InputData(string [], int [], int);
int CalculateAverageScores(int [], int);
void DisplayPlayerData(string [], int [], int);
void DisplayBelowAverage(string [], int [], int);


void main()
{
    string playerNames[100];
    int scores[100];


    int sizeOfArray = sizeof(scores);
    int sizeOfEachElement = sizeof(scores[0]);
    int numberOfElements = sizeOfArray / sizeOfEachElement;

    cout << numberOfElements << endl;

    int numberEntered = InputData(playerNames, scores, numberOfElements);

    DisplayPlayerData(playerNames, scores, numberEntered);

    CalculateAverageScores(scores, numberEntered);


    cin.ignore();
    cin.get();
}

int InputData(string playerNames[], int scores[], int size)
{
    int index;  

    for (index = 0; index < size; index++)
    {
        cout << "Enter Player Name (Q to quit): ";
        getline(cin, playerNames[index]);
        if (playerNames[index] == "Q")
        {
            break;
        }

        cout << "Enter score for " << playerNames[index] << ": ";
        cin >> scores[index];
        cin.ignore();
    }

    return index;
}


void DisplayPlayerData(string playerNames[], int scores[], int size)
{
    int index;

    cout << "Name     Score" << endl;

    for (index = 0; index < size; index++)
    {       
        cout << playerNames[index] << "     " << scores[index] << endl;     
    }
}

int CalculateAverageScores(int scores[], int size)
{
    int index;
    int totalScore = 0;
    int averageScore = 0;

    for (index = 0; index < size; index++)
    {       
        totalScore = (totalScore + scores[index]);              
    }
    averageScore = totalScore / size;
    cout << "Average Score: " << averageScore;

    return index;
}

void DisplayBelowAverage(string playerNames[], int scores[], int size)
{
    int index;

    cout << "Players who scored below average" << endl;
    cout << "Name     Score" << endl;

    for (index = 0; index < size; index++)
    {       
        if(scores[index] < averageScore)
        {
            cout << playerNames[index] << "     " << scores[index] << endl;
        }
    }
}

1 个答案:

答案 0 :(得分:1)

您正计算averageScore中的CalculateAverageScore变量,并且该变量仅属于该函数,因此DisplayBelowAverage不知道averageScore值。这就是你的逻辑失效的原因。

为了解决这个问题,有两种选择:

  1. averageScore声明为全局(尽管不建议使用全局变量)

  2. averageScore作为参数传递给DisplayBelowAverage。这是一种更好的方法。因此,您应该做的是返回您在CalculateAverageScore中计算的平均分数,并将其存储在某个变量中,然后将其作为参数传递给DisplayBelowAverage函数。

  3. 希望这有帮助