How do I infer the usage of parentheses when translating an expression tree?

后端 未结 2 1127
我寻月下人不归
我寻月下人不归 2021-02-15 12:25

I am working on translating an expression tree to a format that resembles infix notation; I am not evaluating the tree or executing its operations. The tree contains both logic

相关标签:
2条回答
  • 2021-02-15 12:52

    Try something like this, assuming that node.NodeType is of type NodeType, and that function Precedes exists and returns true if first parameter precedes the second.

    protected override Expression Visit(BinaryExpression node, NodeType parentType)
    {
        bool useParenthesis = Precedes(parentType, node.NodeType);
    
        if (useParenthesis)
            Console.Write("(");
    
        Visit(node.Left, node.NodeType);
        Console.WriteLine(node.NodeType.ToString());
        Visit(node.Right, node.NodeType);
    
        if (useParenthesis)
            Console.Write(")");
    
        return node;
    }
    
    0 讨论(0)
  • 2021-02-15 12:53

    I've accepted the answer of Dialecticus as it provides a good basis for implementing this algorithm. The only issue with this answer is that it requires that the VisitBinary() method know about its parent caller as a method argument, which is not feasible since these methods are overloads of a base method.

    I provide the following solution, which uses a similar algorithm, but applies the check to emit parentheses in the parent call for the child nodes of the expression tree.

    class MyVisitor : ExpressionVisitor
    {
        private readonly IComparer<ExpressionType> m_comparer = new OperatorPrecedenceComparer();
    
        protected override Expression VisitBinary(BinaryExpression node)
        {
            Visit(node, node.Left);
            Console.Write(node.NodeType.ToString());
            Visit(node, node.Right);
    
            return node;
        }
    
        private void Visit(Expression parent, Expression child)
        {
            if (m_comparer.Compare(child.NodeType, parent.NodeType) < 0)
            {
                Console.Write("(");
                base.Visit(child);
                Console.Write(")");
            }
            else
            {
                base.Visit(child);
            }
        }
    
        // VisitConstant, VisitMember, and VisitParameter omitted for brevity.
    }
    

    The precedence comparison function is implemented as an IComparer<ExpressionType>, which applies the C# rules of operator precedence.

    class OperatorPrecedenceComparer : Comparer<ExpressionType>
    {
        public override int Compare(ExpressionType x, ExpressionType y)
        {
            return Precedence(x).CompareTo(Precedence(y));
        }
    
        private int Precedence(ExpressionType expressionType)
        {
            switch(expressionType) { /* group expressions and return precedence ordinal * }
        }
    }
    
    0 讨论(0)
提交回复
热议问题