POJ 2694 逆波兰表达式

总Time Limit: 
1000ms 
Memory Limit: 
65536kB
Description
逆波兰表达式是一种把运算符前置的算术表达式,例如普通的表达式2 + 3的逆波兰表示法为+ 2 3。逆波兰表达式的优点是运算符之间不必有优先级关系,也不必用括号改变运算次序,例如(2 + 3) * 4的逆波兰表示法为* + 2 3 4。本题求解逆波兰表达式的值,其中运算符包括+ - * /四个。
Input
输入为一行,其中运算符和运算数之间都用空格分隔,运算数是浮点数。
Output
输出为一行,表达式的值。
可直接用printf("%f\n", v)输出表达式的值v。
Sample Input
* + 11.0 12.0 + 24.0 35.0
Sample Output
1357.000000
Hint
可使用atof(str)把字符串转换为一个double类型的浮点数。atof定义在math.h中。
此题可使用函数递归调用的方法求解。

-----------------------------------------------------------------------------

递归题,将输入也放入递归的过程中将降低难度

(代码参考《程序设计导引及在线实践》)

#include 
#include 
#include 
#include "math.h"
using namespace std;
char s[100];
double cal()
{
	
	cin>>s;
	if (s[0]>='0'&&s[0]<='9')
		return atof(s);
	else
	{
		if(s[0] == '+')
			return cal() + cal();
		else if(s[0] == '-')
			return cal() - cal();
		else if(s[0] == '*')
			return cal() * cal();
		else if(s[0] == '/')
			return cal() / cal();
	}
}
int main()
{
	printf("%f",cal());
	return 0;
}


你可能感兴趣的:(poj百练)