7

これが私のコードです。このエラーが発生し続けます:

エラー: ')' トークンの前にプライマリ式が必要です

これを修正する方法はありますか?

void showInventory(player& obj) {   // By Johnny :D
for(int i = 0; i < 20; i++) {
    std::cout << "\nINVENTORY:\n" + obj.getItem(i);
    i++;
    std::cout << "\t\t\t" + obj.getItem(i) + "\n";
    i++;
}
}

std::string toDo() //BY KEATON
{
std::string commands[5] =   // This is the valid list of commands.
    {"help", "inv"};

std::string ans;
std::cout << "\nWhat do you wish to do?\n>> ";
std::cin >> ans;

if(ans == commands[0]) {
    helpMenu();
    return NULL;
}
else if(ans == commands[1]) {
    showInventory(player);     // I get the error here.
    return NULL;
}

}
4

2 に答える 2

7

showInventory(player);型をパラメーターとして渡しています。それは違法です。オブジェクトを渡す必要があります。

たとえば、次のようなものです。

player p;
showInventory(p);  

私はあなたがこのようなものを持っていると思います:

int main()
{
   player player;
   toDo();
}

これはひどいです。まず、オブジェクトにタイプと同じ名前を付けないでください。次に、オブジェクトを関数内で表示するには、オブジェクトをパラメーターとして渡す必要があります。

int main()
{
   player p;
   toDo(p);
}

std::string toDo(player& p) 
{
    //....
    showInventory(p);
    //....
}
于 2012-10-13T20:46:40.063 に答える
1
showInventory(player);     // I get the error here.

void showInventory(player& obj) {   // By Johnny :D

これは、player がデータ型であり、showInventory が player 型の変数への参照を予期していることを意味します。

したがって、正しいコードは次のようになります

  void showInventory(player& obj) {   // By Johnny :D
    for(int i = 0; i < 20; i++) {
        std::cout << "\nINVENTORY:\n" + obj.getItem(i);
        i++;
        std::cout << "\t\t\t" + obj.getItem(i) + "\n";
        i++;
    }
    }

players myPlayers[10];

    std::string toDo() //BY KEATON
    {
    std::string commands[5] =   // This is the valid list of commands.
        {"help", "inv"};

    std::string ans;
    std::cout << "\nWhat do you wish to do?\n>> ";
    std::cin >> ans;

    if(ans == commands[0]) {
        helpMenu();
        return NULL;
    }
    else if(ans == commands[1]) {
        showInventory(myPlayers[0]);     // or any other index,also is not necessary to have an array
        return NULL;
    }

}
于 2012-10-13T20:54:29.467 に答える