#include <iostream>
#include <ctype.h>
using namespace std;
void isPalindrome();
int main()
{
char response;
isPalindrome();
cout << "Input another string(y/n)?" << endl;
cin >> response;
response = toupper(response);
if (response == 'Y')
isPalindrome();
return 0;
}
void isPalindrome()
{
char str[80], str2[80];
int strlength;
int j = 0;
int front, back;
bool flag = 1;
cout << "Input a string:" << endl;
cin.getline(str, 80);
strlength = strlen(str);
for (int i = 0; i < strlength; i++)
{
if (islower(str[i]))
str[i] = toupper(str[i]);
}
for (int i = 0; i < strlength; i++)
{
if (isalpha(str[i]))
{
str2[j] = str[i];
j++;
}
}
str2[j] = '\0';
front = 0;
back = strlength - 1;
for (int i = 0; i < j / 2; i++)
{
if (str2[front] != str2[back])
{
flag = 0;
break;
}
}
if (!(flag))
cout << "It is not a palindrome" << endl;
else
cout << "It's a palindrome" << endl;
cout << "str: " << str << " str2: " << str2 << " strlength: " << strlength << " j: " << j << endl;
cout << "front: " << front << " back: " << back << " flag: " << flag << endl;
}
我只是想知道是否有人可以帮我解释为什么我的代码无效。
我可以运行一次就好了,我得到正确答案,但当提示询问我是否要输入另一个字符串并输入'y'
时,提示只是跳过输入并终止于它自己
我试过了cin.ginore('\n', 80)
,但这只是给了我一堆空白行。我在末尾添加了一些代码来检查值,它们都转到0
并删除字符串。
也许链接到系统如何处理内存的正确解释?
编辑: 第二次运行输入序列时,我一直遇到同样的问题。输出如下:
Input a string:
Radar
It's a palindrome
Input another string(y/n)?
y
_ <- this being my cursor after pressing enter 3 times
我将从头开始重新构建程序并尝试在没有功能的情况下完成。我仍然欣赏指向如何使用现代c ++处理用户输入的页面的链接。
答案 0 :(得分:1)
问题在于:
cin >> response;
这会将用户输入y/n
读入变量response
,但输入缓冲区中会留下换行符,getline
函数会选择isPalindrome
函数。< / p>
要解决此问题,您需要在读取用户响应后从输入缓冲区中删除换行符。你可以使用:
cin >> response;
std::cin.ignore(INT_MAX);
通过上述修复,您只需重试一次回文检查。要进行多次重试,您需要一个循环。我建议你在主要的do-while
循环:
char response;
do {
isPalindrome();
cout << "Input another string(y/n)?" << endl;
cin >> response;
std::cin.ignore(INT_MAX);
response = toupper(response);
} while(response == 'Y');
答案 1 :(得分:0)
你需要一个循环。没有代码指示程序返回顶部。
char response = 'Y';
while (response == 'Y') {
isPalendrome();
cout << "Input another string(y/n)?" << endl;
cin >> response;
}
这不是整个程序,只是while循环所需的关键元素。您应该了解工作原理,并使其适合您的计划。
答案 2 :(得分:0)
在现代C ++中,人们通常会使用标准库组件进行字符串处理:
#include <iostream>
#include <string>
int main()
{
std::string line1, line2, response;
do
{
std::cout << "First string: ";
if (!std::getline(std::cin, line1)) { /* error */ }
std::cout << "Second string: ";
if (!std::getline(std::cin, line2)) { /* error */ }
// check line1 and line2 for palindromy
std::cout << "Again (y/n)? ";
std::getline(std::cin, response);
} while (std::cin && (response == "y" || response == "Y"));
}