1

我几乎完成了这个菜单并按照我想要的方式工作。但是,当我在不输入任何内容的情况下按 Enter 时出现断言错误。这是代码

#include <iostream>
#include <cstdlib>
#include <string>
#include <sstream>
#include <iomanip>


using namespace std;

bool menu ()
{
 string input = "";
 bool exitVar;

 do
 {
 system("cls");

 cout << "               _       _   _   _       _   _ _ _  " << endl
      << "              |_|_   _|_| |_| |_|_    |_| |_|_|_| " << endl
      << "              |_|_|_|_|_| |_| |_|_|_  |_| |_|_    " << endl
      << "              |_| |_| |_| |_| |_| |_|_|_| |_|_|   " << endl
      << "              |_|     |_| |_| |_|   |_|_| |_|_ _  " << endl
      << "              |_|     |_| |_| |_|     |_| |_|_|_| " << endl
      << "               _ _   _       _   _ _ _   _ _ _   _ _     _ _ _   _ _      " << endl
      << "             _|_|_| |_|     |_| |_|_|_| |_|_|_| |_|_|_  |_|_|_| |_|_|_    " << endl
      << "            |_|_    |_|  _  |_| |_|_    |_|_    |_|_|_| |_|_    |_|_|_|   " << endl
      << "              |_|_  |_|_|_|_|_| |_|_|   |_|_|   |_|_|   |_|_|   |_|_|_    " << endl
      << "             _ _|_| |_|_| |_|_| |_|_ _  |_|_ _  |_|     |_|_ _  |_| |_|_  " << endl
      << "            |_|_|   |_|     |_| |_|_|_| |_|_|_| |_|     |_|_|_| |_|   |_| " << endl;

 cout << "\n            Welcome to Psuedo Mine Sweeper!!\n\n\n\n";

 cout << "                  <S>TART"
     << "\n\n                   <E>XIT\n\n";



    cout << "\t\t\tPlease enter a valid menu option: ";
    getline(cin,input);

    input[0] = toupper(input[0]);

}while(input[0] != 'S' && input[0] != 'E' || input.length() != 1 || cin.peek() != '\n');

if (input[0] == 'S')
    exitVar = true;
else
    exitVar = false;

return exitVar;

}

我对调试断言值不是太有经验。我尝试独立运行菜单

4

2 回答 2

3

这里的问题是,当您按下回车键时,getline将设置input为空字符串,因为没有输入任何输入。

这意味着它的长度为 0,但是当您打电话时,input[0]您要求输入其中的第一个字符。由于它没有,因此会引发断言错误。

要解决此问题,请在调用getlinecheck 后查看是否input为空,如果是,请使用continue重新开始循环。

于 2012-11-10T08:13:49.657 回答
1

您需要更改循环条件。

while (input.length() != 1 || (toupper(input[0]) != 'S' && toupper(input[0]) != 'E'));

||从左到右进行测试,因此您必须在检查第一个字符之前检查长度是否正确。作为循环条件的一部分,它也将有所帮助,toupper因为这样首先会检查长度。我也删除了对的调用cin.peek(),不确定我是否理解那是什么。

你可以用一些布尔逻辑重写整个事情以使其更清晰。

while (!(input.length() == 1 && (toupper(input[0]) == 'S' || toupper(input[0]) == 'E')));

通常,否定的次数越少,复杂的布尔逻辑就越容易理解。

于 2012-11-10T08:18:25.870 回答