如何将隐式乘法添加到PHP PEG基本计算器语法中?

68de4m5k  于 12个月前  发布在  PHP
关注(0)|答案(1)|浏览(112)

我在PHP中使用php-pegmy PEG grammar有一个问题(该项目有更新的分支发布到packagist)。我的项目是一个表达式解析器的分支,我想用一个更容易修改的生成解析器来替换它。
到目前为止一切都很好,但是我在添加隐式乘法时遇到了问题,这是原始项目功能的一部分。
它看起来像这样:

8(5/2)

字符串
它应该隐式地将8乘以分数。
到目前为止,我的语法有很多功能,但我只想知道如何将隐式乘法添加到一个基本的计算器示例中,如下所示:

Number: /[0-9]+/
Value: Number > | '(' > Expr > ')' >
    function Number( &$result, $sub ) {
        $result['val'] = $sub['text'] ;
    }
    function Expr( &$result, $sub ) {
        $result['val'] = $sub['val'] ;
    }

Times: '*' > operand:Value >
Div: '/' > operand:Value >
Product: Value > ( Times | Div ) *
    function Value( &$result, $sub ) {
        $result['val'] = $sub['val'] ;
    }
    function Times( &$result, $sub ) {
        $result['val'] *= $sub['operand']['val'] ;
    }
    function Div( &$result, $sub ) {
        $result['val'] /= $sub['operand']['val'] ;
    }

Plus: '+' > operand:Product >
Minus: '-' > operand:Product >
Sum: Product > ( Plus | Minus ) *
    function Product( &$result, $sub ) {
        $result['val'] = $sub['val'] ;
    }
    function Plus( &$result, $sub ) {
        $result['val'] += $sub['operand']['val'] ;
    }
    function Minus( &$result, $sub ) {
        $result['val'] -= $sub['operand']['val'] ;
    }

Expr: Sum
    function Sum( &$result, $sub ) {
        $result['val'] = $sub['val'] ;
    }


位于project examples directory
我在GitHub上创建了basic calculator example project

nvbavucw

nvbavucw1#

我尝试将Product规则改为:

Times: '*' > operand:Value >
ImplicitTimes: operand:Value >
Div: '/' > operand:Value >
Product: Value > ( Times | ImplicitTimes | Div ) *
    function Value( &$result, $sub ) {
        $result['val'] = $sub['val'] ;
    }
    function Times( &$result, $sub ) {
        $result['val'] *= $sub['operand']['val'] ;
    }
    function ImplicitTimes( &$result, $sub ) {
        $result['val'] *= $sub['operand']['val'] ;
    }
    function Div( &$result, $sub ) {
        $result['val'] /= $sub['operand']['val'] ;
    }

字符串

相关问题