zoukankan      html  css  js  c++  java
  • 逆波兰表达式|2013年蓝桥杯A组题解析第六题-fishers

    逆波兰表达式

    正常的表达式称为中缀表达式,运算符在中间,主要是给人阅读的,机器求解并不方便。
    
    例如:3 + 5 * (2 + 6) - 1
    
    而且,常常需要用括号来改变运算次序。
    
    相反,如果使用逆波兰表达式(前缀表达式)表示,上面的算式则表示为:
    
    - + 3 * 5 + 2 6 1
    
    不再需要括号,机器可以用递归的方法很方便地求解。
    
    为了简便,我们假设:
    
    1. 只有 + - * 三种运算符
    2. 每个运算数都是一个小于10的非负整数
    
    下面的程序对一个逆波兰表示串进行求值。
    其返回值为一个结构:其中第一元素表示求值结果,第二个元素表示它已解析的字符数。
    

    struct EV
    {
    int result; //计算结果
    int n; //消耗掉的字符数
    };

    struct EV evaluate(char* x)
    {
    struct EV ev = {0,0};
    struct EV v1;
    struct EV v2;

    if(*x==0) return ev;
    
    if(x[0]>='0' && x[0]<='9'){
    	ev.result = x[0]-'0';
    	ev.n = 1;
    	return ev;
    }
    //- + 3 * 5 + 2 6 1
    v1 = evaluate(x+1);
    v2 = _____________________________;  //填空位置
    
    if(x[0]=='+') ev.result = v1.result + v2.result;
    if(x[0]=='*') ev.result = v1.result * v2.result;
    if(x[0]=='-') ev.result = v1.result - v2.result;
    ev.n = 1+v1.n+v2.n;
    
    return ev;
    

    }

    请分析代码逻辑,并推测划线处的代码,通过网页提交。
    注意:仅把缺少的代码作为答案,千万不要填写多余的代码、符号或说明文字!!

    答案:x+1+v1.n

    测试程序:

    #include<bits/stdc++.h>
    using namespace std;
    
    struct EV
    {
    	int result;  //计算结果 
    	int n;       //消耗掉的字符数 
    };
    
    struct EV evaluate(char* x)
    {
    	struct EV ev = {0,0};
    	struct EV v1;
    	struct EV v2;
    
    	if(*x==0) return ev;//到字符串结尾 返回值 
    	
    	//如果当前是一个数字 而不是运算符 就计算结果 
    	if(x[0]>='0' && x[0]<='9'){
    		ev.result = x[0]-'0';
    		ev.n = 1;
    		return ev;
    	}
    	
    	v1 = evaluate(x+1);
    	v2 = evaluate(x+1+v1.n);  //填空位置
    	
    	if(x[0]=='+') ev.result = v1.result + v2.result;
    	if(x[0]=='*') ev.result = v1.result * v2.result;
    	if(x[0]=='-') ev.result = v1.result - v2.result;
    	ev.n = 1+v1.n+v2.n;
    
    	return ev;
    }
    
    int main(){
    	char sss[] = "-+3*5+261";
    	struct EV eee = evaluate(sss);
    	cout<<eee.result<<endl;
    	return 0;
    }
    
  • 相关阅读:
    第五届“飞思卡尔”智能车竞赛分赛区赛后总结
    最佳编程语录
    通过UserAgent判断智能手机(设备,Android,IOS)
    Sql Server 系统存储过程分析 2 数据库引擎存储过程
    OutputCache 导致页面下载的解决办法
    w3wp.exe(IIS ) CPU 占用 100% 的常见原因及解决办法
    过滤并替换页面html输出
    Sql Server 系统存储过程分析 1 目录存储过程
    Sql Server 监控 Job 执行情况
    OutPutCache 自定义缓存:session、登录用户、cookie 等
  • 原文地址:https://www.cnblogs.com/fisherss/p/10438853.html
Copyright © 2011-2022 走看看