This file is indexed.

/usr/share/pyshared/framework/subsystems/oeventsd/parser.py is in fso-frameworkd 0.8.5.1-1.

This file is owned by root:root, with mode 0o644.

The actual contents of the file can be viewed below.

  1
  2
  3
  4
  5
  6
  7
  8
  9
 10
 11
 12
 13
 14
 15
 16
 17
 18
 19
 20
 21
 22
 23
 24
 25
 26
 27
 28
 29
 30
 31
 32
 33
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
# -*- coding: UTF-8 -*-
"""
The freesmartphone Events Module - Python Implementation

(C) 2008 Jan 'Shoragan' Lübbe <jluebbe@lasnet.de>
(C) 2008 Guillaume 'Charlie' Chereau
(C) 2008 Openmoko, Inc.
GPLv2 or later

Package: oeventsd
Module: parser
"""

from filter import AttributeFilter

import yaml
import re

import logging
logger = logging.getLogger('oeventsd')

try:
    from yaml import CLoader as Loader
    from yaml import CDumper as Dumper
except ImportError:
    from yaml import Loader, Dumper

#============================================================================#
class FunctionMetaClass(type):
#============================================================================#
    """The meta class for Function class"""
    def __init__(cls, name, bases, dict):
        super(FunctionMetaClass, cls).__init__(name, bases, dict)
        if 'name' in dict:
            cls.register(dict['name'], cls())

#============================================================================#
class Function(object):
#============================================================================#
    """Base class for all the rules file functions"""
    __metaclass__ = FunctionMetaClass
    functions = {}

    @classmethod
    def register(cls, name, func):
        logger.debug("register function %s", name)
        cls.functions[name] = func

    def __call__(self, *args):
        raise NotImplementedError
        

#============================================================================#
class AutoFunctionMetaClass(type):
#============================================================================#
    def __init__(cls, name, bases, dict):
        # If an action has a class attribute : 'function_name',
        # Then we create a new function of that name that create this action
        super(AutoFunctionMetaClass, cls).__init__(name, bases, dict)
        if 'function_name' in dict:
            def func(*args):
                try:
                    return cls(*args)
                except Exception, e:
                    logger.error("Error while calling function %s : %s", dict['function_name'], e)
                    raise
            Function.register(dict['function_name'], func)
            
class AutoFunction(object):
    __metaclass__ = AutoFunctionMetaClass
            

def split_params(s):
    """ An ugly way to parse function parameters
        I should use a library for that
    """
    if not s:
        return []
    lev = 0
    for i in range(len(s)):
        if s[i] in '([':
            lev +=  1
        if s[i] in ')]':
            lev -= 1
        if s[i] == ',' and lev == 0:
            return [s[:i]] + split_params(s[i+1:])
    return [s]
    
# The following is used to be able to parse instructions on yaml
# It only works if we don't use CLoader
# TODO: if there is really no way to have automatic string interpretation
# from python yaml with Cloader, then remove this totaly
pattern = re.compile(r'^(.+?)\((.*?)\)$')

def function_constructor(loader, node):
    value = loader.construct_scalar(node)
    match = pattern.match(value)
    name = match.group(1)
    params = split_params(match.group(2))
    params = [yaml.load(p, Loader=loader) for p in params]
    if not name in Function.functions:
        raise Exception("Function %s not registered" % name)
    func = Function.functions[name]
    return func(*params)

# This will only works if we don't use CLoader
yaml.add_constructor(u'!Function', function_constructor)
yaml.add_implicit_resolver(u'!Function', pattern)


class Not(Function):
    name = 'Not'
    def __call__(self, a):
        return ~a
        
class Or(Function):
    name = 'Or'
    def __call__(self, a, b):
        return a | b

class HasAttr(Function):
    name = 'HasAttr'
    def __call__(self, name, value):
        kargs = {name:value}
        return AttributeFilter(**kargs)

def as_rule(r):
    """Turn a dictionary into a rule"""
    from rule import Rule, WhileRule # needs to be here to prevent circular import
    assert isinstance(r, dict), type(r)
    # We have to cases of rules :
    # Those who can be untriggered ('while')
    # and those who can't ('trigger')
    while_rule = 'while' in r
    trigger = r['trigger'] if not while_rule else r['while']
    filters = r.get('filters', [])
    actions = r['actions']
    name = r.get('name', "")
    ret = Rule(trigger, filters, actions, name) if not while_rule else WhileRule(trigger, filters, actions, name)
    logger.info( "Created new rule : %s", ret )
    return ret
    
#============================================================================#
class Parser(object):
#============================================================================#
    def __parse(self, value):
        """replace all function by the actual returned value of the function in
           structure parsed by yaml
           
           This is a hack, it used to work by using yaml.add_implicit_resolver
           but unfortunately this won't work with CLoader, so we have to parse
           all the string instead of letting yaml doing it for us.
           
           Beside, by using this there is no way to differentiate a string containing
           parenthesis from a function.
        """
        if isinstance(value, list):
            return [self.__parse(v) for v in value]
        if isinstance(value, dict):
            return dict((k, self.__parse(v)) for k,v in value.iteritems())
        if not isinstance(value, basestring):
            return value
        match = pattern.match(value)
        if not match:
            return value
        name = match.group(1)
        params = split_params(match.group(2))
        params = [self.__parse(yaml.load(p, Loader=Loader)) for p in params]
        if not name in Function.functions:
            raise Exception("Function %s not registered" % name)
        func = Function.functions[name]
        return func(*params)
    
    def parse_rules(self, src):
        """Parse a string for a list of rules"""
        rules = yaml.load(src, Loader=Loader)
        ret = []
        for r in rules:
            try:
                r = self.__parse(r)     # We should try to clean that...
                ret.append(as_rule(r))
            except Exception, e:
                logger.error("can't parse rule %s : %s", r, e)
        return ret
        
    def parse_rule(self, src):
        """Parse a string for a rules"""
        rule = yaml.load(src, Loader=Loader)
        rule = self.__parse(rule)
        try:
            return as_rule(rule)
        except Exception, e:
            logger.error("can't parse rule %s : %s", rule, e)
            raise

if __name__ == '__main__':
    src = """
-
    trigger: CallStatus()
    filters: HasAttr(status, incoming)
    actions: PlaySound("/usr/share/sounds/Arkanoid_PSID.sid")
-
    trigger: CallStatus()
    filters: Not(HasAttr(status, incoming))
    actions: StopSound("/usr/share/sounds/Arkanoid_PSID.sid")
"""

    parser = Parser()
    print parser.parse_rules(src)