Java计算器-调车场

时间:2018-12-12 14:32:33

标签: java algorithm recursion

我正在尝试实现Dijkstra's algorithm Shunting-yard来读取具有简单操作(+-/ *)的数学方程式。它基本上得到一个“中缀”字符串,并将其转换为“后缀”字符串。

E.G。 :输入-> "(3+5)*4-12"。 输出:Queue[3,5,+,4, *,12,-]

从右到左阅读时,您需要将4的乘积减去3和5来减去12。

我正确地做到了。我认为将队列解释为计算的最简单方法是使用递归,因此我想出了以下代码:

public static Expression newCalc(ArrayDeque<String> q)//q is the output of Shunting yard algo
{
    String tmp =q.pollLast();
    if(tmp.equals("*") || tmp.equals("/") || tmp.equals("+") || tmp.equals("-")) {
        Expression rightOperation = newCalc(q);
        Expression leftOperation = newCalc(q);
        if(tmp.equals("+")) 
            return new Plus(leftOperation,rightOperation);
        else if(tmp.equals("-"))
            return new Minus(leftOperation,rightOperation);
        else if(tmp.equals("*"))
            return new Mul(leftOperation,rightOperation);
        else if(tmp.equals("/"))
            return new Div(leftOperation,rightOperation);
        else
            return new Number(0);
    }
    else 
        return new Number(Double.parseDouble(tmp));

}

它适用于几乎所有字符串,除了以下字符串:

"(3+5)*4-12+1"

调车场后,队列输出为:[3,5,+,4, *,12,1,+,-]

这个问题是,递归返回了(3 + 5)* 4-(12 + 1),这是错误的,我不知道该如何解决(我知道我可以使用迭代器解决方案,但我想了解如何进行这项工作。

谢谢。

编辑:

我的调车场算法:

public static double calc(String expression){

    Stack<String> s = new Stack<String>();  
    ArrayDeque<String> q = new ArrayDeque<String>();
    StringBuilder sb = new StringBuilder(expression);
    String token = new String();

    while((token = atoi(sb)) != null) {
    //atoi is a method that extract the correct next token ,cut it it from the string and return it.
        if(token.equals("/")|| token.equals("-")|| token.equals("+")|| token.equals("*")) {
            while ((token.equals("-")||token.equals("+"))&&
                    !s.isEmpty()&&
                    ((s.peek().equals("*")||s.peek().equals("/"))))
                q.add(s.pop());
            s.push(token);
        }
        else if(token.equals("("))
            s.push(token);
        else if(token.equals(")"))
        {
            while(!s.peek().equals("("))
                q.add(s.pop());
            s.pop();    
        }       
        else 
        {
            q.add(token);
        }
    }
    while(!s.isEmpty()&&(s.peek().equals("/")||s.peek().equals("*")||s.peek().equals("+")||s.peek().equals("-")))
        q.add(s.pop());
    return Math.floor(newCalc(q).calculate()*1000)/1000;

}

1 个答案:

答案 0 :(得分:2)

正如@BillTheLizard在此问题的评论中所建议的那样,递归很好,问题出在我的调车场算法上。该代码的UML表示仅当一个运算符优先于另一个运算符时才替换两个运算符,但是他们忘了提到当两个运算符之间没有优先级时,我还需要保持运算符的原始顺序(特别是+和-在不同的执行顺序上有差异)。这样可以解决问题:

for key,val in FLAGS.flag_values_dict().iteritems()

感谢您的帮助。