Project

General

Profile

1 996 aaronmk
# XML "function" nodes that transform their contents
2 86 aaronmk
3 111 aaronmk
import datetime
4 968 aaronmk
import re
5 1219 aaronmk
import sre_constants
6 111 aaronmk
7 818 aaronmk
import dates
8 300 aaronmk
import exc
9 917 aaronmk
import maps
10 1234 aaronmk
import strings
11 827 aaronmk
import term
12 1468 aaronmk
import units
13 1047 aaronmk
import util
14 86 aaronmk
import xml_dom
15 1321 aaronmk
import xpath
16 86 aaronmk
17 995 aaronmk
##### Exceptions
18
19 962 aaronmk
class SyntaxException(Exception):
20 797 aaronmk
    def __init__(self, cause):
21 962 aaronmk
        Exception.__init__(self, 'Invalid XML function syntax: '
22
            +exc.str_(cause))
23 278 aaronmk
24 843 aaronmk
class FormatException(SyntaxException): pass
25
26 995 aaronmk
##### Functions
27
28
funcs = {}
29
30
def process(node, on_error=exc.raise_):
31
    for child in xml_dom.NodeElemIter(node): process(child, on_error)
32
    name = node.tagName
33
    if name.startswith('_') and name in funcs:
34 1369 aaronmk
        try:
35
            value = funcs[name](xml_dom.NodeTextEntryIter(node))
36
            xml_dom.replace_with_text(node, value)
37
        except Exception, e: # also catch XML func internal errors
38 1371 aaronmk
            # Save in case another exception raised, overwriting sys.exc_info()
39
            exc.add_traceback(e)
40 995 aaronmk
            str_ = str(node)
41
            exc.add_msg(e, 'function:\n'+str_)
42
            xml_dom.replace(node, node.ownerDocument.createComment(
43 1234 aaronmk
                '\n'+term.emph_multiline(str_).replace('--','-')))
44
                # comments can't contain '--'
45 995 aaronmk
            on_error(e)
46
47 86 aaronmk
def map_items(func, items):
48
    return [(name, func(value)) for name, value in items]
49
50 1234 aaronmk
def cast(type_, val):
51
    '''Throws SyntaxException if can't cast'''
52
    try: return type_(val)
53
    except ValueError, e: raise SyntaxException(e)
54
55 278 aaronmk
def conv_items(type_, items):
56 1234 aaronmk
    return map_items(lambda val: cast(type_, val),
57
        xml_dom.TextEntryOnlyIter(items))
58 278 aaronmk
59 1469 aaronmk
##### XML functions
60 995 aaronmk
61
# Function names must start with _ to avoid collisions with real tags
62
# Functions take arguments (items)
63
64 1469 aaronmk
#### General
65
66 995 aaronmk
def _ignore(items):
67 994 aaronmk
    '''Used to "comment out" an XML subtree'''
68
    return None
69 995 aaronmk
funcs['_ignore'] = _ignore
70 994 aaronmk
71 1469 aaronmk
#### Conditionals
72
73 1234 aaronmk
def _eq(items):
74
    items = dict(items)
75
    try:
76
        left = items['left']
77
        right = items['right']
78
    except KeyError: return '' # a value was None
79
    return util.bool2str(left == right)
80
funcs['_eq'] = _eq
81
82
def _if(items):
83
    items = dict(items)
84
    try:
85
        cond = items['cond']
86
        then = items['then']
87
    except KeyError, e: raise SyntaxException(e)
88
    else_ = items.get('else', None)
89
    cond = bool(cast(str, cond))
90
    if cond: return then
91
    else: return else_
92
funcs['_if'] = _if
93
94 1469 aaronmk
#### Combining values
95
96 995 aaronmk
def _alt(items):
97 113 aaronmk
    items = list(items)
98
    items.sort()
99 1186 aaronmk
    try: return items[0][1] # value of lowest-numbered item
100 1187 aaronmk
    except IndexError: return None # input got removed by e.g. SyntaxException
101 995 aaronmk
funcs['_alt'] = _alt
102 113 aaronmk
103 995 aaronmk
def _merge(items):
104 1234 aaronmk
    items = list(conv_items(strings.ustr, items))
105
        # get *once* from iter and check types
106 917 aaronmk
    items.sort()
107
    return maps.merge_values(*[v for k, v in items])
108 995 aaronmk
funcs['_merge'] = _merge
109 917 aaronmk
110 995 aaronmk
def _label(items):
111 1412 aaronmk
    items = dict(conv_items(strings.ustr, items))
112
        # get *once* from iter and check types
113 917 aaronmk
    try:
114
        label = items['label']
115
        value = items['value']
116
    except KeyError, e: raise SyntaxException(e)
117
    return label+': '+value
118 995 aaronmk
funcs['_label'] = _label
119 917 aaronmk
120 1469 aaronmk
#### Transforming values
121
122 1047 aaronmk
def _nullIf(items):
123
    items = dict(conv_items(str, items))
124
    try:
125
        null = items['null']
126
        value = items['value']
127
    except KeyError, e: raise SyntaxException(e)
128 1219 aaronmk
    type_str = items.get('type', None)
129
    type_ = str
130
    if type_str == 'float': type_ = float
131
    return util.none_if(value, type_(null))
132 1047 aaronmk
funcs['_nullIf'] = _nullIf
133
134 1219 aaronmk
def _map(items):
135
    items = conv_items(str, items) # get *once* from iter and check types
136 1471 aaronmk
    try: value = items.pop()[1] # last entry contains value
137 1219 aaronmk
    except IndexError, e: raise SyntaxException(e)
138
    map_ = dict(items)
139 1304 aaronmk
    closed = bool(map_.pop('_closed', False))
140 1473 aaronmk
    try: value = map_[value]
141 1304 aaronmk
    except KeyError, e:
142
        if closed: raise SyntaxException(e)
143
        else: return value
144 1473 aaronmk
    return util.none_if(value, u'') # empty map entry means None
145 1219 aaronmk
funcs['_map'] = _map
146
147
def _replace(items):
148
    items = conv_items(str, items) # get *once* from iter and check types
149 1424 aaronmk
    try: value = items.pop()[1] # last entry contains value
150 1219 aaronmk
    except IndexError, e: raise SyntaxException(e)
151
    try:
152
        for repl, with_ in items:
153
            if re.match(r'^\w+$', repl):
154
                repl = r'(?<![^\W_])'+repl+r'(?![^\W_])' # match whole word
155
            value = re.sub(repl, with_, value)
156
    except sre_constants.error, e: raise SyntaxException(e)
157 1427 aaronmk
    return util.none_if(value, u'') # empty strings always mean None
158 1219 aaronmk
funcs['_replace'] = _replace
159
160 1469 aaronmk
#### Quantities
161
162 1225 aaronmk
def _units(items):
163 1471 aaronmk
    items = conv_items(str, items) # get *once* from iter and check types
164
    try: last = items.pop() # last entry contains value
165
    except IndexError: return None # input is empty and no actions
166
    if last[0] != 'value': return None # input is empty
167
    str_ = last[1]
168
169
    quantity = units.str2quantity(str_)
170
    try:
171
        for action, units_ in items:
172
            units_ = util.none_if(units_, u'')
173
            if action == 'default': units.set_default_units(quantity, units_)
174
            elif action == 'to': quantity = units.convert(quantity, units_)
175
            else: raise SyntaxException(ValueError('Invalid action: '+action))
176 1468 aaronmk
    except units.MissingUnitsException, e: raise SyntaxException(e)
177 1471 aaronmk
    return units.quantity2str(quantity)
178 1225 aaronmk
funcs['_units'] = _units
179
180 1399 aaronmk
def parse_range(str_, range_sep='-'):
181
    default = (str_, None)
182
    start, sep, end = str_.partition(range_sep)
183
    if sep == '': return default # not a range
184 1427 aaronmk
    if start == '' and range_sep == '-': return default # negative number
185 1399 aaronmk
    return tuple(d.strip() for d in (start, end))
186
187
def _rangeStart(items):
188
    items = dict(conv_items(str, items))
189
    try: value = items['value']
190 1406 aaronmk
    except KeyError: return None # input is empty
191 1399 aaronmk
    return parse_range(value)[0]
192
funcs['_rangeStart'] = _rangeStart
193
194
def _rangeEnd(items):
195
    items = dict(conv_items(str, items))
196
    try: value = items['value']
197 1406 aaronmk
    except KeyError: return None # input is empty
198 1399 aaronmk
    return parse_range(value)[1]
199
funcs['_rangeEnd'] = _rangeEnd
200
201 1472 aaronmk
def _range(items):
202
    items = dict(conv_items(float, items))
203
    from_ = items.get('from', None)
204
    to = items.get('to', None)
205
    if from_ == None or to == None: return None
206
    return str(to - from_)
207
funcs['_range'] = _range
208
209 995 aaronmk
def _avg(items):
210 86 aaronmk
    count = 0
211
    sum_ = 0.
212 278 aaronmk
    for name, value in conv_items(float, items):
213 86 aaronmk
        count += 1
214
        sum_ += value
215 1472 aaronmk
    if count == 0: return None # input is empty
216
    else: return str(sum_/count)
217 995 aaronmk
funcs['_avg'] = _avg
218 86 aaronmk
219 968 aaronmk
class CvException(Exception):
220
    def __init__(self):
221
        Exception.__init__(self, 'CV (coefficient of variation) values are only'
222
            ' allowed for ratio scale data '
223
            '(see <http://en.wikipedia.org/wiki/Coefficient_of_variation>)')
224
225 995 aaronmk
def _noCV(items):
226 968 aaronmk
    try: name, value = items.next()
227
    except StopIteration: return None
228
    if re.match('^(?i)CV *\d+$', value): raise SyntaxException(CvException())
229
    return value
230 995 aaronmk
funcs['_noCV'] = _noCV
231 968 aaronmk
232 1469 aaronmk
#### Dates
233
234 995 aaronmk
def _date(items):
235 917 aaronmk
    items = conv_items(str, items) # get *once* from iter and check types
236 786 aaronmk
    try: str_ = dict(items)['date']
237
    except KeyError:
238 1308 aaronmk
        items = dict(conv_items(int, items))
239 1292 aaronmk
        try: items['year'] # year is required
240 1309 aaronmk
        except KeyError, e:
241
            if items == {}: return None # entire date is empty
242
            else: raise SyntaxException(e)
243 786 aaronmk
        items.setdefault('month', 1)
244
        items.setdefault('day', 1)
245
        try: date = datetime.date(**items)
246
        except ValueError, e: raise SyntaxException(e)
247
    else:
248 324 aaronmk
        try: year = float(str_)
249
        except ValueError:
250 1264 aaronmk
            try: date = dates.strtotime(str_)
251 324 aaronmk
            except ImportError: return str_
252
            except ValueError, e: raise SyntaxException(e)
253
        else: date = (datetime.date(int(year), 1, 1) +
254
            datetime.timedelta(round((year % 1.)*365)))
255 818 aaronmk
    try: return dates.strftime('%Y-%m-%d', date)
256 843 aaronmk
    except ValueError, e: raise FormatException(e)
257 995 aaronmk
funcs['_date'] = _date
258 86 aaronmk
259 1366 aaronmk
def _dateRangeStart(items):
260
    items = dict(conv_items(str, items))
261
    try: value = items['value']
262 1406 aaronmk
    except KeyError: return None # input is empty
263 1366 aaronmk
    return dates.parse_date_range(value)[0]
264
funcs['_dateRangeStart'] = _dateRangeStart
265 1311 aaronmk
266 1366 aaronmk
def _dateRangeEnd(items):
267 1311 aaronmk
    items = dict(conv_items(str, items))
268 1366 aaronmk
    try: value = items['value']
269 1406 aaronmk
    except KeyError: return None # input is empty
270 1366 aaronmk
    return dates.parse_date_range(value)[1]
271
funcs['_dateRangeEnd'] = _dateRangeEnd
272 1311 aaronmk
273 1469 aaronmk
#### Names
274
275 328 aaronmk
_name_parts_slices_items = [
276
    ('first', slice(None, 1)),
277
    ('middle', slice(1, -1)),
278
    ('last', slice(-1, None)),
279
]
280
name_parts_slices = dict(_name_parts_slices_items)
281
name_parts = [name for name, slice_ in _name_parts_slices_items]
282
283 995 aaronmk
def _name(items):
284 89 aaronmk
    items = dict(items)
285 102 aaronmk
    parts = []
286 328 aaronmk
    for part in name_parts:
287
        if part in items: parts.append(items[part])
288 102 aaronmk
    return ' '.join(parts)
289 995 aaronmk
funcs['_name'] = _name
290 102 aaronmk
291 995 aaronmk
def _namePart(items):
292 328 aaronmk
    out_items = []
293
    for part, value in items:
294
        try: slice_ = name_parts_slices[part]
295
        except KeyError, e: raise SyntaxException(e)
296 1219 aaronmk
        out_items.append((part, ' '.join(value.split(' ')[slice_])))
297 995 aaronmk
    return _name(out_items)
298
funcs['_namePart'] = _namePart
299 1321 aaronmk
300 1469 aaronmk
#### Paths
301
302 1321 aaronmk
def _simplifyPath(items):
303
    items = dict(items)
304
    try:
305
        next = cast(str, items['next'])
306
        require = cast(str, items['require'])
307
        root = items['path']
308
    except KeyError, e: raise SyntaxException(e)
309
310
    node = root
311
    while node != None:
312
        new_node = xpath.get_1(node, next, allow_rooted=False)
313
        if xpath.get_1(node, require, allow_rooted=False) == None: # empty elem
314
            xml_dom.replace(node, new_node) # remove current elem
315
            if node is root: root = new_node # also update root
316
        node = new_node
317
    return root
318
funcs['_simplifyPath'] = _simplifyPath