我总是要求用户输入x
和y
,然后计算结果。这是一个非常简单的例子:
int main()
{
int x,y;
cout << "Please enter x" <<endl;
cin >> x ;
cout << "please enter y" <<endl;
cin >> y;
int result = x + y ;
cout << result << endl;
return 0;
}
但是如果用户输入完整的表达式怎么办?例如,要求用户输入表达式和用户输入:4+5
,我们可以直接计算并给出结果吗?
答案 0 :(得分:1)
我不会花时间重新发明轮子。 我会为用户输入使用现有的脚本语言,而我个人的选择就是lua,尽管其他许多都是可行的。
这大致就是使用lua作为解释器的应用程序。
#include "lua.h"
#include "lualib.h"
#include "lauxlib.h"
#include <string>
#include <iostream>
int main()
{
using namespace std;
string x,y;
cout << "Please enter x" <<endl;
cin >> x ;
cout << "please enter y" <<endl;
cin >> y;
//TODO: You may want to check that they've entered an expression
//
lua_State * L = lua_open();
// We only import the maths library, rather than all the available
// libraries, so the user can't do i/o etc.
luaopen_math(L);
luaopen_base(L);
// We next pull the math library into the global namespace, so that
// the user can use sin(x) rather than math.sin(x).
if( luaL_dostring(L,"for k,v in pairs(math) do _G[k] = v end") != 0)
{
std::cout<<"Error :"<<lua_tostring(L,-1)<<std::endl;
return 1;
}
// Convert x to an integer
x = "return "+x;
if( luaL_dostring(L,x.c_str()) != 0 )
{
std::cout<<"Error in x :"<<lua_tostring(L,-1)<<std::endl;
return 1;
}
int xv = lua_tointeger(L,-1);
lua_pop(L,1);
// Convert y to an integer
y = "return "+y;
if( luaL_dostring(L,y.c_str()) != 0 )
{
std::cout<<"Error in y :"<<lua_tostring(L,-1)<<std::endl;
return 1;
}
int yv = lua_tointeger(L,-1);
lua_pop(L,1);
int result = xv + yv ;
cout << result << endl;
return 0;
}
通过此操作,您可以输入1+sin(2.5)*3
之类的内容。
答案 1 :(得分:1)
跟随Michael Anderson的回答,使用我的ae前端作为Lua引擎,代码的核心就是
ae_open();
ae_set("x",x);
ae_set("y",y);
int result = ae_eval("x + y");
ae_close();
当然,有趣的部分是当ae_eval
获取包含来自用户的任意表达式输入的字符串时。
答案 2 :(得分:0)
您应该实现中缀表示法解析算法。