⭐ 欢迎来到虫虫下载站! | 📦 资源下载 📁 资源专辑 ℹ️ 关于我们
⭐ 虫虫下载站

📄 parsetree.py

📁 CNC 的开放码,EMC2 V2.2.8版
💻 PY
📖 第 1 页 / 共 2 页
字号:
# parsetree.py, part of Yapps 2 - yet another python parser system# Copyright 1999-2003 by Amit J. Patel <amitp@cs.stanford.edu>## This version of the Yapps 2 Runtime can be distributed under the# terms of the MIT open source license, either found in the LICENSE file# included with the Yapps distribution# <http://theory.stanford.edu/~amitp/yapps/> or at# <http://www.opensource.org/licenses/mit-license.php>#"""Classes used to represent parse trees and generate output.This module defines the Generator class, which drives the generationof Python output from a grammar parse tree.  It also defines nodesused to represent the parse tree; they are derived from class Node.The main logic of Yapps is in this module."""import sys, re######################################################################INDENT = ' '*4class Generator:    # TODO: many of the methods here should be class methods, not instance methods        def __init__(self, name, options, tokens, rules):        self.change_count = 0        self.name = name        self.options = options        self.preparser = ''        self.postparser = None                self.tokens = {} # Map from tokens to regexps        self.ignore = {} # List of token names to ignore in parsing, map to statements        self.terminals = [] # List of token names (to maintain ordering)        for t in tokens:            if len(t) == 3:                n,t,s = t            else:                n,t = t                s = None            if n == '#ignore':                n = t                self.ignore[n] = s            if n in self.tokens.keys() and self.tokens[n] != t:                print >>sys.stderr, 'Warning: token %s defined more than once.' % n            self.tokens[n] = t            self.terminals.append(n)                    self.rules = {} # Map from rule names to parser nodes        self.params = {} # Map from rule names to parameters        self.goals = [] # List of rule names (to maintain ordering)        for n,p,r in rules:            self.params[n] = p            self.rules[n] = r            self.goals.append(n)                    self.output = sys.stdout    def has_option(self, name):        return self.options.get(name, 0)        def non_ignored_tokens(self):        return [x for x in self.terminals if x not in self.ignore]        def changed(self):        """Increments the change count.        >>> t = Generator('', [], [], [])        >>> old_count = t.change_count        >>> t.changed()        >>> assert t.change_count == old_count + 1        """        self.change_count = 1+self.change_count    def set_subtract(self, a, b):        """Returns the elements of a that are not in b.        >>> t = Generator('', [], [], [])        >>> t.set_subtract([], [])        []        >>> t.set_subtract([1, 2], [1, 2])        []        >>> t.set_subtract([1, 2, 3], [2])        [1, 3]        >>> t.set_subtract([1], [2, 3, 4])        [1]        """        result = []        for x in a:            if x not in b:                result.append(x)        return result        def subset(self, a, b):        """True iff all elements of sequence a are inside sequence b        >>> t = Generator('', [], [], [])        >>> t.subset([], [1, 2, 3])        1        >>> t.subset([1, 2, 3], [])        0        >>> t.subset([1], [1, 2, 3])        1        >>> t.subset([3, 2, 1], [1, 2, 3])        1        >>> t.subset([1, 1, 1], [1, 2, 3])        1        >>> t.subset([1, 2, 3], [1, 1, 1])        0        """        for x in a:            if x not in b:                return 0        return 1    def equal_set(self, a, b):        """True iff subset(a, b) and subset(b, a)        >>> t = Generator('', [], [], [])        >>> a_set = [1, 2, 3]        >>> t.equal_set(a_set, a_set)        1        >>> t.equal_set(a_set, a_set[:])        1        >>> t.equal_set([], a_set)        0        >>> t.equal_set([1, 2, 3], [3, 2, 1])        1        """        if len(a) != len(b): return 0        if a == b: return 1        return self.subset(a, b) and self.subset(b, a)        def add_to(self, parent, additions):        "Modify _parent_ to include all elements in _additions_"        for x in additions:            if x not in parent:                parent.append(x)                self.changed()    def equate(self, a, b):        """Extend (a) and (b) so that they contain each others' elements.        >>> t = Generator('', [], [], [])        >>> a = [1, 2]        >>> b = [2, 3]        >>> t.equate(a, b)        >>> a        [1, 2, 3]        >>> b        [2, 3, 1]        """        self.add_to(a, b)        self.add_to(b, a)    def write(self, *args):        for a in args:            self.output.write(a)    def in_test(self, expr, full, set):        """Generate a test of (expr) being in (set), where (set) is a subset of (full)        expr is a string (Python expression)        set is a list of values (which will be converted with repr)        full is the list of all values expr could possibly evaluate to                >>> t = Generator('', [], [], [])        >>> t.in_test('x', [1,2,3,4], [])        '0'        >>> t.in_test('x', [1,2,3,4], [1,2,3,4])        '1'        >>> t.in_test('x', [1,2,3,4], [1])        'x == 1'        >>> t.in_test('a+b', [1,2,3,4], [1,2])        'a+b in [1, 2]'        >>> t.in_test('x', [1,2,3,4,5], [1,2,3])        'x not in [4, 5]'        >>> t.in_test('x', [1,2,3,4,5], [1,2,3,4])        'x != 5'        """                if not set: return '0'        if len(set) == 1: return '%s == %s' % (expr, repr(set[0]))        if full and len(set) > len(full)/2:            # Reverse the sense of the test.            not_set = [x for x in full if x not in set]            return self.not_in_test(expr, full, not_set)        return '%s in %s' % (expr, repr(set))        def not_in_test(self, expr, full, set):        """Like in_test, but the reverse test."""        if not set: return '1'        if len(set) == 1: return '%s != %s' % (expr, repr(set[0]))        return '%s not in %s' % (expr, repr(set))    def peek_call(self, a):        """Generate a call to scan for a token in the set 'a'"""        assert type(a) == type([])        a_set = (repr(a)[1:-1])        if self.equal_set(a, self.non_ignored_tokens()): a_set = ''        if self.has_option('context-insensitive-scanner'): a_set = ''        if a_set: a_set += ","                return 'self._peek(%s context=_context)' % a_set        def peek_test(self, a, b):        """Generate a call to test whether the next token (which could be any of        the elements in a) is in the set b."""        if self.subset(a, b): return '1'        if self.has_option('context-insensitive-scanner'): a = self.non_ignored_tokens()        return self.in_test(self.peek_call(a), a, b)    def not_peek_test(self, a, b):        """Like peek_test, but the opposite sense."""        if self.subset(a, b): return '0'        return self.not_in_test(self.peek_call(a), a, b)    def calculate(self):        """The main loop to compute the epsilon, first, follow sets.        The loop continues until the sets converge.  This works because        each set can only get larger, so when they stop getting larger,        we're done."""        # First we determine whether a rule accepts epsilon (the empty sequence)        while 1:            for r in self.goals:                self.rules[r].setup(self)            if self.change_count == 0: break            self.change_count = 0        # Now we compute the first/follow sets        while 1:            for r in self.goals:                self.rules[r].update(self)            if self.change_count == 0: break            self.change_count = 0    def dump_information(self):        """Display the grammar in somewhat human-readable form."""        self.calculate()        for r in self.goals:            print '    _____' + '_'*len(r)            print ('___/Rule '+r+'\\' + '_'*80)[:79]            queue = [self.rules[r]]            while queue:                top = queue[0]                del queue[0]                print 'Rule', repr(top), 'of class', top.__class__.__name__                top.first.sort()                top.follow.sort()                eps = []                if top.accepts_epsilon: eps = ['(null)']                print '     FIRST:', ', '.join(top.first+eps)                print '    FOLLOW:', ', '.join(top.follow)                for x in top.get_children(): queue.append(x)                    def repr_ignore(self):        out="{"        for t,s in self.ignore.iteritems():            if s is None: s=repr(s)            out += "%s:%s," % (repr(t),s)        out += "}"        return out            def generate_output(self):        self.calculate()        self.write(self.preparser)        self.write("# Begin -- grammar generated by Yapps\n")        self.write("import sys, re\n")        self.write("from yapps import runtime\n")        self.write("\n")        self.write("class ", self.name, "Scanner(runtime.Scanner):\n")        self.write("    patterns = [\n")        for p in self.terminals:            self.write("        (%s, re.compile(%s)),\n" % (                repr(p), repr(self.tokens[p])))        self.write("    ]\n")        self.write("    def __init__(self, str,*args,**kw):\n")        self.write("        runtime.Scanner.__init__(self,None,%s,str,*args,**kw)\n" %                   self.repr_ignore())        self.write("\n")                self.write("class ", self.name, "(runtime.Parser):\n")        self.write(INDENT, "Context = runtime.Context\n")        for r in self.goals:            self.write(INDENT, "def ", r, "(self")            if self.params[r]: self.write(", ", self.params[r])            self.write(", _parent=None):\n")            self.write(INDENT+INDENT, "_context = self.Context(_parent, self._scanner, %s, [%s])\n" %                       (repr(r), self.params.get(r, '')))            self.rules[r].output(self, INDENT+INDENT)            self.write("\n")        self.write("\n")        self.write("def parse(rule, text):\n")        self.write("    P = ", self.name, "(", self.name, "Scanner(text))\n")        self.write("    return runtime.wrap_error_reporter(P, rule)\n")        self.write("\n")        if self.postparser is not None:            self.write("# End -- grammar generated by Yapps\n")            self.write(self.postparser)        else:            self.write("if __name__ == '__main__':\n")            self.write(INDENT, "from sys import argv, stdin\n")            self.write(INDENT, "if len(argv) >= 2:\n")            self.write(INDENT*2, "if len(argv) >= 3:\n")            self.write(INDENT*3, "f = open(argv[2],'r')\n")            self.write(INDENT*2, "else:\n")            self.write(INDENT*3, "f = stdin\n")            self.write(INDENT*2, "print parse(argv[1], f.read())\n")            self.write(INDENT, "else: print >>sys.stderr, 'Args:  <rule> [<filename>]'\n")            self.write("# End -- grammar generated by Yapps\n")######################################################################class Node:    """This is the base class for all components of a grammar."""    def __init__(self, rule):        self.rule = rule # name of the rule containing this node        self.first = []        self.follow = []        self.accepts_epsilon = 0            def setup(self, gen):        # Setup will change accepts_epsilon,        # sometimes from 0 to 1 but never 1 to 0.        # It will take a finite number of steps to set things up        pass        def used(self, vars):        "Return two lists: one of vars used, and the other of vars assigned"        return vars, []    def get_children(self):

⌨️ 快捷键说明

复制代码 Ctrl + C
搜索代码 Ctrl + F
全屏模式 F11
切换主题 Ctrl + Shift + D
显示快捷键 ?
增大字号 Ctrl + =
减小字号 Ctrl + -