我有一个双重问题。我对c ++很新,我试图改变这个程序,以便它可以接受变量并将它们存储在地图中。我的问题是,我实际上不知道程序从用户那里得到了什么输入!
我理解如何通过cin来评估角色,但它在哪里得到原始字符串是一个令人难以置信的小脑袋。
我认为它在这里需要输入?
int result = 0;
char c = cin.peek();
我的基本问题是我试图让程序接受“x + 3”作为输入。如果之前没有使用x,则作为输入的用户然后将值存储在地图中。如果已使用,请从地图中检索它。我不希望你们为我解决这个问题,但总体方向确实很有帮助。
所以我想我的两个问题是:
1.程序在哪里获得用户输入?
2.如果流中有角色,最好的方法是什么? (我看到isalpha()可以正常工作,这是正确的方向吗?)我应该将一个字符串或其他东西复制到流中吗?
#include <iostream>
#include <cctype>
using namespace std;
int term_value();
int factor_value();
/**
Evaluates the next expression found in cin.
@return the value of the expression.
*/
int expression_value()
{
int result = term_value();
bool more = true;
while (more)
{
char op = cin.peek();
if (op == '+' || op == '-')
{
cin.get();
int value = term_value();
if (op == '+') result = result + value;
else result = result - value;
}
else more = false;
}
return result;
}
/**
Evaluates the next term found in cin.
@return the value of the term.
*/
int term_value()
{
int result = factor_value();
bool more = true;
while (more)
{
char op = cin.peek();
if (op == '*' || op == '/')
{
cin.get();
int value = factor_value();
if (op == '*') result = result * value;
else result = result / value;
}
else more = false;
}
return result;
}
/**
Evaluates the next factor found in cin.
@return the value of the factor.
*/
int factor_value()
{
int result = 0;
char c = cin.peek();
if (c == '(')
{
cin.get();
result = expression_value();
cin.get(); // read ")"
}
else // Assemble number value from digits
{
while (isdigit(c))
{
result = 10 * result + c - '0';
cin.get();
c = cin.peek();
}
}
return result;
}
int main()
{
cout << "Enter an expression: ";
cout << expression_value() << "\n";
return 0;
}
编辑1: 我的想法是:
获取输入并将其复制到我将通过引用函数传递的字符串流。所以我可以在字符串流上使用peek等等。
之后,当我需要更多用户输入变量值时,我将从cin中获取用户输入。
答案 0 :(得分:0)
我建议您使用std::getline
读取用户的输入,并将一些表达式解析算法应用于正在读取的行。用户输入的解析太难以用这种方式完成。大多数人都会使用解析器生成器(如ANTLR或boost :: spirit)来执行此类任务。