java - 堆栈数组中缀操作

标签 java arrays compiler-errors char stack

我需要编写一个程序,使用括号在括号中对数学表达式进行求值,输入的第一行是要求值的表达式数。问题是我不知道如何使输入的第一行成为表达式总数。输入的内容也必须是(2*(3+5)),但是我制作的代码仅接受(" 2 * (3 + 5)"),我已经使用replaceAll()删除了空格,但是运行的正确性是不正确的。
Input 2 ((7+(3*5))+(14/2)) ((2+5)*3)Output that I want 29 21

import java.util.Stack;
import java.util.Scanner;

public class Stacks
{
    public static int evaluarop(String string)
    {
        //Pasar el string a un arreglo de Char;
        // index nombre del arreglo de Chars para saber en que char va.
        char[] index = string.toCharArray();

        // Crea un Stack 'numero' de tipo Integer con la clase Stack<E>
        Stack<Integer> numero = new Stack<Integer>();

        // Crea un Stack 'simbolo' de tipo Character con la clase Stack<E>
        Stack<Character> simbolo = new Stack<Character>();

        //For inicia el bucle
        for (int i = 0; i < index.length; i++)
        {
            // Index = char actual
            // Index en la posición actual es un espacio en blanco, pasar al siguiente char.
            if (index[i] == ' ')
                continue;

            // Si el index actual es un numero ponerlo en el stack de numero.
            // Si el index es un char del 0 al 9
            if (index[i] >= '0' && index[i] <= '9')
            {
                // If pregunta si el index es un char del 0 al 9
                // StringBuffer() = construye un string de almacenamiento sin caracteres
                // y con capacidad inicial de 16 caracteres
                StringBuffer sbuf = new StringBuffer();
                // Si es un numero formado por mas de un digito.
                while (i < index.length && index[i] >= '0' && index[i] <= '9')
                    sbuf.append(index[i++]);
                // Inserta en el Stack de numeros.
                // ParseInt pasa el String y lo retorna como un entero.
                numero.push(Integer.parseInt(sbuf.toString()));
            }

            // Si el index acutal es '(', hacer push a stack simbolo.
            else if (index[i] == '(')
                simbolo.push(index[i]);

            // Si el index actual es ')' prepara para hacer la operacion.
            else if (index[i] == ')')
            {
                // While peek para ver el simbolo actual hasta que no sea un (.
                while (simbolo.peek() != '(')
                // Hace el push al resultado de la operacion.
                // operandop() hace la operacion correspondiente al char de simbolo correspondiente.
                // Numero.pop() agarra el numero para operar.
                    numero.push(operando(simbolo.pop(), numero.pop(), numero.pop()));
                // Quita del arreglo el simbolo ya utilizado.
                simbolo.pop();
            }

            // Si el index actual es un simbolo de operación.
            else if (index[i] == '+' || index[i] == '-' || index[i] == '*' || index[i] == '/')
            {
                // While si el char hasta arriba del Stack simbolo tiene la misma o mayor
                // jerarquia de operaciones que el char de simbolo.
                // Aplica el operador en la cima del Stack simbolo
                // Mientras que el Stack de simbolo no esta vacio hace lo anterior.
                while (!simbolo.empty() && prioridad(index[i], simbolo.peek()))
                    numero.push(operando(simbolo.pop(), numero.pop(), numero.pop()));

                // Hace Push al char actual del Stack simbolo
                simbolo.push(index[i]);
            }
        }

        while (!simbolo.empty())
            numero.push(operando(simbolo.pop(), numero.pop(), numero.pop()));
        // Stack numero contiene el resultado, hace pop() para regresarlo.
        return numero.pop();
    }

    // Si la operacion2 es de mayor importancia que operacion1; regresa true
    public static boolean prioridad(char operacion1, char operacion2)
    {
        if (operacion2 == '(' || operacion2 == ')')
            return false;
        if ((operacion1 == '*' || operacion1 == '/') && (operacion2 == '+' || operacion2 == '-'))
            return false;
        else
            return true;
    }

    // Aplica la operación correspondiente mediante un switch con el caracter de simbolo.
    // Regresa el resultado.
    public static int operando(char operacion, int num1, int num2)
    {
        switch (operacion)
        {
            case '+':
            return num1 + num2;
            case '-':
            return num1 - num2;
            case '*':
            return num1 * num2;
            case '/':
            return num1 / num2;
        }
        return 0;
    }

    // Main probador
    public static void main(String[] args)
    {
        System.out.println("Operaciones con stacks.");
        Scanner sc = new Scanner(System.in);
        //int totalop = sc.nextInt();
        //for(int i = 0; i < totalop;i++)
        //{
        System.out.println("Op: ");
        //String string = sc.nextLine();
        //System.out.println(Stacks.evaluarop(string));
        System.out.println(Stacks.evaluarop("10+2*6"));
        System.out.println(Stacks.evaluarop("10 + 2 * 6"));
    }
}

最佳答案

我想我找到了你的问题。

在第32行(如果第一个导入在第1行),您将读取找到的所有数字,直到找到另一个非数字字符。

在内部,您将增加计数器i,这将为您提供当前正在考虑的字符的位置,该位置在循环之后是要考虑的下一个字符(就像您读取所有10一样,而i是第一次测试中的+号。

但是,在检查之前,您必须再次通过外部for循环,这将再次使i递增。

要了解这一点,请添加

System.out.println("Examining char "+i+" :"+index[i]);

在第18行(https://ideone.com/NxyECc用于已编译和工作的东西)

它会为您提供以下输出:
Operaciones con stacks.
Op: 
Examining char 0 :1
Examining char 3 :2
Examining char 5 :6
6
Examining char 0 :1
Examining char 3 :+
Examining char 4 : 
Examining char 5 :2
Examining char 7 :*
Examining char 8 : 
Examining char 9 :6
22

如您所见,在第一种情况下,它没有检查任何操作,因为随后的两个i++(while中的一个和for中的一个)使您迷失了它们。

一个简单的i-在第32行上的一会儿之后(在ideone链接中被注释,您可以对其进行 fork 和取消注释)将使一切正常。

关于java - 堆栈数组中缀操作,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/39184179/

相关文章:

java - 是否可以用 selenium 模拟键盘行为?

java - 无法在 OSX 优胜美地上构建 Java 项目

c - 这是在 C 中创建数组的有效方法吗?

arrays - 在Powershell中,如何检查第二个数组中是否存在一个数组中的所有项目?

php - html 表单和 php post 不起作用,信息正在被重写

gcc - 对 libnuma 的 undefined reference

java - 我认为我在编译Java文件时遇到问题

c++ - 对属性进行 binary_search 的编译错误

Java:完全删除对象

java - SVN Repository Exploring Perspective for Eclipse 缺失