美文网首页
中缀表达式转后缀表达式

中缀表达式转后缀表达式

作者: 饭板板 | 来源:发表于2020-11-13 13:03 被阅读0次

直接上代码

public static class InfixToPostfix
{
    private static List<char> highOperator = new List<char> { '*', '/' };
    private static List<char> lowOperator = new List<char> { '+', '-' };

    public static string Method(string str)
    {
        var stack = new Stack<char>();
        var ans = new StringBuilder();
        foreach (char item in str)
        {
            if (item >= 48 && item <= 57)
            {
                ans.Append(item);
            }
            else if (item == '(')
            {
                stack.Push(item);
            }
            else if (item == ')')
            {
                while (stack.Count > 0)
                {
                    var preOpe = stack.Pop();
                    if (preOpe == '(')
                    {
                        break;
                    }
                    ans.Append(preOpe);
                }
            }
            else // 操作符
            {
                if (stack.Count != 0)
                {
                    var preOpe = stack.Peek();
                    // 栈顶操作符优先级大于等于当前操作符优先级
                    if ((highOperator.Contains(preOpe) && highOperator.Contains(item))
                        || (highOperator.Contains(preOpe) && lowOperator.Contains(item)))
                    {
                        ans.Append(stack.Pop());
                    }
                }

                stack.Push(item);
            }
        }

        while (stack.Count > 0)
        {
            ans.Append(stack.Pop());
        }

        return ans.ToString();
    }
}

相关文章

网友评论

      本文标题:中缀表达式转后缀表达式

      本文链接:https://www.haomeiwen.com/subject/mwmvbktx.html