这是我的代码。我一直收到这个错误:
错误:')'令牌
之前的预期主要表达式
任何人都有任何想法如何解决这个问题?
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;
}
}
答案 0 :(得分:5)
showInventory(player);
传递类型作为参数。这是非法的,你需要传递一个物体。
例如:
player p;
showInventory(p);
我猜你有这样的事情:
int main()
{
player player;
toDo();
}
太可怕了。首先,不要将对象命名为与您的类型相同。其次,为了使对象在函数内可见,您需要将其作为参数传递:
int main()
{
player p;
toDo(p);
}
和
std::string toDo(player& p)
{
//....
showInventory(p);
//....
}
答案 1 :(得分:0)
showInventory(player); // I get the error here.
void showInventory(player& obj) { // By Johnny :D
这意味着播放器是一种数据类型,而showInventory期望对播放器类型的变量进行referance。
所以正确的代码将是
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;
}
}