我正在为学校制作一个小程序来计算输入数字的阶乘。我在Java方面有很多经验,但这是我第一次使用C ++。
我的问题:我需要能够从用户那里获得一个输入,它是整数或字符'q',表示应用程序需要退出。
这是我目前的尝试:
#include <stdio.h>
#include <iostream>
#include "Header.h"
using namespace std;
int x=0;
char y;
int main(int argc, char *argv[])
{
printf("Hello, please enter a number to compute a factorial (or 'q' to quit): ");
cin >> y;
x= (y-'0');
if(y=='q')
{ printf("Thanks for playing!\n");
exit(1);
}
long result= print_Factorial(x);
cout << x << "!= " << result << "\n";
return result;
}
然而,此投射不起作用。如果我输入一个两位数字,例如12,它只会将x转换为两者的第一个数字,并计算该阶乘。我确信这很简单,我错过了什么?
明确的回答或导致我可以更多地了解这个问题,任何事情都值得赞赏。
答案 0 :(得分:3)
您可以使用某些功能尝试将字符串转换为数字,并且可以检查转换是否成功。 std::strtol
函数就是其中之一:
std::string input;
std::cin >> input;
char* endptr = nullptr;
const char *input_ptr = input.c_str();
long value = std::strtol(input_ptr, &endptr, 10);
if (endptr == input_ptr)
{
// Input was not a valid number
}
else if (*endptr != '\0')
{
// Input starts with a valid number, but ends with some extra characters
// (for example "123abc")
// `value` is set to the numeric part of the string
}
else
{
// Input was a valid number
}
如果您不介意例外,那么您可以使用例如而是std::stoi
:
std::string input;
std::cin >> input;
int value = 0;
try
{
size_t endpos = 0;
value = std::stoi(input, &endpos);
if (endpos != input.length())
{
// Input starts with a valid number, but ends with some extra characters
// (for example "123abc")
// `value` is set to the numeric part of the string
}
else
{
// Input is a valid number
}
}
catch (std::invalid_argument&)
{
// Input not a valid number
}
catch (std::out_of_range&)
{
// Input is a valid number, but to big to fit in an `int`
}
答案 1 :(得分:0)
您获得第一个数字的原因是因为您正在使用 cin&gt;&gt; Ÿ;其中y是一个char,它包含一个字符。所以你只得到一个角色。
您可能想要做的是将答案作为字符串,一旦检查字符串不是==“q”,那么您可以将其转换为int。
答案 2 :(得分:0)
#include <iostream>
#include <sstream>
int main() {
std::string in;
std::cout << "Please enter a digit: ";
while(std::cin >> in) {
std::cout << "Input: " << in << std::endl;
if(in.size() == 1) {
if(in[0] == 'q' || in[0] == 'Q') {
std::cout << "Quit" << std::endl;
return 0;
}
}
std::istringstream parse(in);
int value;
if(parse >> value) {
if(parse.eof()) {
std::cout << "Success" << std::endl;
return 0;
}
}
std::cout << "Please try again: ";
}
std::cerr << "This should not happen <control + d>" << std::endl;
return 1;
}
答案 3 :(得分:0)
您的用户可以输入任何文本行,您必须阅读“文本行”以进行验证。
#include <iostream>
#include <string>
#include <stdexcept>
int main()
{
std::string text;
std::getline(std::cin,text);
if(text.size()==1 && text[0]=='q')
{
std::cout << "quit command";
return 0;
}
try
{
int i = std::stoi(text); //may throw if text is not convertible
/* whatever elaboration and output */
return 0;
}
catch(const std::exception& e)
{
std::cout << "bad input: " << text << '\n';
std::cout << "caused excpetion: " << e.what() << std::endl;
}
return 3; //means "excpetion thorown"
}