1
|
# XML "function" nodes that transform their contents
|
2
|
|
3
|
import datetime
|
4
|
import re
|
5
|
import sre_constants
|
6
|
|
7
|
import dates
|
8
|
import exc
|
9
|
import maps
|
10
|
import strings
|
11
|
import term
|
12
|
import units
|
13
|
import util
|
14
|
import xml_dom
|
15
|
import xpath
|
16
|
|
17
|
##### Exceptions
|
18
|
|
19
|
class SyntaxException(exc.ExceptionWithCause):
|
20
|
def __init__(self, cause):
|
21
|
exc.ExceptionWithCause.__init__(self, 'Invalid XML function syntax: '
|
22
|
+exc.str_(cause))
|
23
|
|
24
|
class FormatException(SyntaxException): pass
|
25
|
|
26
|
##### 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
|
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
|
# Save in case another exception raised, overwriting sys.exc_info()
|
39
|
exc.add_traceback(e)
|
40
|
str_ = str(node)
|
41
|
exc.add_msg(e, 'function:\n'+str_)
|
42
|
xml_dom.replace(node, node.ownerDocument.createComment(
|
43
|
'\n'+term.emph_multiline(str_).replace('--','-')))
|
44
|
# comments can't contain '--'
|
45
|
on_error(e)
|
46
|
|
47
|
def map_items(func, items):
|
48
|
return [(name, func(value)) for name, value in items]
|
49
|
|
50
|
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
|
def conv_items(type_, items):
|
56
|
return map_items(lambda val: cast(type_, val),
|
57
|
xml_dom.TextEntryOnlyIter(items))
|
58
|
|
59
|
##### XML functions
|
60
|
|
61
|
# Function names must start with _ to avoid collisions with real tags
|
62
|
# Functions take arguments (items)
|
63
|
|
64
|
#### General
|
65
|
|
66
|
def _ignore(items):
|
67
|
'''Used to "comment out" an XML subtree'''
|
68
|
return None
|
69
|
funcs['_ignore'] = _ignore
|
70
|
|
71
|
#### Conditionals
|
72
|
|
73
|
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
|
#### Combining values
|
95
|
|
96
|
def _alt(items):
|
97
|
items = list(items)
|
98
|
items.sort()
|
99
|
try: return items[0][1] # value of lowest-numbered item
|
100
|
except IndexError: return None # input got removed by e.g. SyntaxException
|
101
|
funcs['_alt'] = _alt
|
102
|
|
103
|
def _merge(items):
|
104
|
items = list(conv_items(strings.ustr, items))
|
105
|
# get *once* from iter and check types
|
106
|
items.sort()
|
107
|
return maps.merge_values(*[v for k, v in items])
|
108
|
funcs['_merge'] = _merge
|
109
|
|
110
|
def _label(items):
|
111
|
items = dict(conv_items(strings.ustr, items))
|
112
|
# get *once* from iter and check types
|
113
|
try:
|
114
|
label = items['label']
|
115
|
value = items['value']
|
116
|
except KeyError, e: raise SyntaxException(e)
|
117
|
return label+': '+value
|
118
|
funcs['_label'] = _label
|
119
|
|
120
|
#### Transforming values
|
121
|
|
122
|
types_by_name = {None: strings.ustr, 'str': strings.ustr, 'float': float}
|
123
|
|
124
|
def _nullIf(items):
|
125
|
items = dict(conv_items(str, items))
|
126
|
try: null = items['null']
|
127
|
except KeyError, e: raise SyntaxException(e)
|
128
|
value = items.get('value', None)
|
129
|
type_str = items.get('type', None)
|
130
|
|
131
|
try: type_ = types_by_name[type_str]
|
132
|
except KeyError, e: raise SyntaxException(e)
|
133
|
null = type_(null)
|
134
|
|
135
|
try: return util.none_if(value, null)
|
136
|
except ValueError: return value # value not convertible, so can't equal null
|
137
|
funcs['_nullIf'] = _nullIf
|
138
|
|
139
|
def _map(items):
|
140
|
'''Raises error if value not in map and no special '*' entry
|
141
|
@param items
|
142
|
<last_entry> Value
|
143
|
<other_entries> name=value Mappings
|
144
|
name "*" means all other input values
|
145
|
value "*" means keep input value the same
|
146
|
value "" means ignore input value
|
147
|
'''
|
148
|
items = conv_items(str, items) # get *once* from iter and check types
|
149
|
try: value = items.pop()[1] # last entry contains value
|
150
|
except IndexError, e: raise SyntaxException(e)
|
151
|
map_ = dict(items)
|
152
|
|
153
|
try: new_value = map_[value]
|
154
|
except KeyError, e:
|
155
|
# Save traceback right away in case another exception raised
|
156
|
se = SyntaxException(e)
|
157
|
try: new_value = map_['*']
|
158
|
except KeyError: raise se
|
159
|
if new_value == '*': new_value = value # '*' means keep input value the same
|
160
|
return util.none_if(new_value, u'') # empty map entry means None
|
161
|
funcs['_map'] = _map
|
162
|
|
163
|
def _replace(items):
|
164
|
items = conv_items(str, items) # get *once* from iter and check types
|
165
|
try: value = items.pop()[1] # last entry contains value
|
166
|
except IndexError, e: raise SyntaxException(e)
|
167
|
try:
|
168
|
for repl, with_ in items:
|
169
|
if re.match(r'^\w+$', repl):
|
170
|
repl = r'(?<![^\W_])'+repl+r'(?![^\W_])' # match whole word
|
171
|
value = re.sub(repl, with_, value)
|
172
|
except sre_constants.error, e: raise SyntaxException(e)
|
173
|
return util.none_if(value, u'') # empty strings always mean None
|
174
|
funcs['_replace'] = _replace
|
175
|
|
176
|
#### Quantities
|
177
|
|
178
|
def _units(items):
|
179
|
items = conv_items(str, items) # get *once* from iter and check types
|
180
|
try: last = items.pop() # last entry contains value
|
181
|
except IndexError: return None # input is empty and no actions
|
182
|
if last[0] != 'value': return None # input is empty
|
183
|
str_ = last[1]
|
184
|
|
185
|
quantity = units.str2quantity(str_)
|
186
|
try:
|
187
|
for action, units_ in items:
|
188
|
units_ = util.none_if(units_, u'')
|
189
|
if action == 'default': units.set_default_units(quantity, units_)
|
190
|
elif action == 'to': quantity = units.convert(quantity, units_)
|
191
|
else: raise SyntaxException(ValueError('Invalid action: '+action))
|
192
|
except units.MissingUnitsException, e: raise SyntaxException(e)
|
193
|
return units.quantity2str(quantity)
|
194
|
funcs['_units'] = _units
|
195
|
|
196
|
def parse_range(str_, range_sep='-'):
|
197
|
default = (str_, None)
|
198
|
start, sep, end = str_.partition(range_sep)
|
199
|
if sep == '': return default # not a range
|
200
|
if start == '' and range_sep == '-': return default # negative number
|
201
|
return tuple(d.strip() for d in (start, end))
|
202
|
|
203
|
def _rangeStart(items):
|
204
|
items = dict(conv_items(str, items))
|
205
|
try: value = items['value']
|
206
|
except KeyError: return None # input is empty
|
207
|
return parse_range(value)[0]
|
208
|
funcs['_rangeStart'] = _rangeStart
|
209
|
|
210
|
def _rangeEnd(items):
|
211
|
items = dict(conv_items(str, items))
|
212
|
try: value = items['value']
|
213
|
except KeyError: return None # input is empty
|
214
|
return parse_range(value)[1]
|
215
|
funcs['_rangeEnd'] = _rangeEnd
|
216
|
|
217
|
def _range(items):
|
218
|
items = dict(conv_items(float, items))
|
219
|
from_ = items.get('from', None)
|
220
|
to = items.get('to', None)
|
221
|
if from_ == None or to == None: return None
|
222
|
return str(to - from_)
|
223
|
funcs['_range'] = _range
|
224
|
|
225
|
def _avg(items):
|
226
|
count = 0
|
227
|
sum_ = 0.
|
228
|
for name, value in conv_items(float, items):
|
229
|
count += 1
|
230
|
sum_ += value
|
231
|
if count == 0: return None # input is empty
|
232
|
else: return str(sum_/count)
|
233
|
funcs['_avg'] = _avg
|
234
|
|
235
|
class CvException(Exception):
|
236
|
def __init__(self):
|
237
|
Exception.__init__(self, 'CV (coefficient of variation) values are only'
|
238
|
' allowed for ratio scale data '
|
239
|
'(see <http://en.wikipedia.org/wiki/Coefficient_of_variation>)')
|
240
|
|
241
|
def _noCV(items):
|
242
|
try: name, value = items.next()
|
243
|
except StopIteration: return None
|
244
|
if re.match('^(?i)CV *\d+$', value): raise SyntaxException(CvException())
|
245
|
return value
|
246
|
funcs['_noCV'] = _noCV
|
247
|
|
248
|
#### Dates
|
249
|
|
250
|
def _date(items):
|
251
|
items = dict(conv_items(str, items)) # get *once* from iter and check types
|
252
|
try: str_ = items['date']
|
253
|
except KeyError:
|
254
|
# Year is required
|
255
|
try: items['year']
|
256
|
except KeyError, e:
|
257
|
if items == {}: return None # entire date is empty
|
258
|
else: raise SyntaxException(e)
|
259
|
|
260
|
# Convert month name to number
|
261
|
try: month = items['month']
|
262
|
except KeyError: pass
|
263
|
else:
|
264
|
if not month.isdigit(): # month is name
|
265
|
items['month'] = str(dates.strtotime(month).month)
|
266
|
|
267
|
items = dict(conv_items(int, items.iteritems()))
|
268
|
items.setdefault('month', 1)
|
269
|
items.setdefault('day', 1)
|
270
|
|
271
|
for try_num in xrange(2):
|
272
|
try:
|
273
|
date = datetime.date(**items)
|
274
|
break
|
275
|
except ValueError, e:
|
276
|
if try_num > 0: raise SyntaxException(e)
|
277
|
# exception still raised after retry
|
278
|
msg = str(e)
|
279
|
if msg == 'month must be in 1..12': # try swapping month and day
|
280
|
items['month'], items['day'] = items['day'], items['month']
|
281
|
else: raise SyntaxException(e)
|
282
|
else:
|
283
|
try: year = float(str_)
|
284
|
except ValueError:
|
285
|
try: date = dates.strtotime(str_)
|
286
|
except ImportError: return str_
|
287
|
except ValueError, e: raise SyntaxException(e)
|
288
|
else: date = (datetime.date(int(year), 1, 1) +
|
289
|
datetime.timedelta(round((year % 1.)*365)))
|
290
|
try: return dates.strftime('%Y-%m-%d', date)
|
291
|
except ValueError, e: raise FormatException(e)
|
292
|
funcs['_date'] = _date
|
293
|
|
294
|
def _dateRangeStart(items):
|
295
|
items = dict(conv_items(str, items))
|
296
|
try: value = items['value']
|
297
|
except KeyError: return None # input is empty
|
298
|
return dates.parse_date_range(value)[0]
|
299
|
funcs['_dateRangeStart'] = _dateRangeStart
|
300
|
|
301
|
def _dateRangeEnd(items):
|
302
|
items = dict(conv_items(str, items))
|
303
|
try: value = items['value']
|
304
|
except KeyError: return None # input is empty
|
305
|
return dates.parse_date_range(value)[1]
|
306
|
funcs['_dateRangeEnd'] = _dateRangeEnd
|
307
|
|
308
|
#### Names
|
309
|
|
310
|
_name_parts_slices_items = [
|
311
|
('first', slice(None, 1)),
|
312
|
('middle', slice(1, -1)),
|
313
|
('last', slice(-1, None)),
|
314
|
]
|
315
|
name_parts_slices = dict(_name_parts_slices_items)
|
316
|
name_parts = [name for name, slice_ in _name_parts_slices_items]
|
317
|
|
318
|
def _name(items):
|
319
|
items = dict(items)
|
320
|
parts = []
|
321
|
for part in name_parts:
|
322
|
if part in items: parts.append(items[part])
|
323
|
return ' '.join(parts)
|
324
|
funcs['_name'] = _name
|
325
|
|
326
|
def _namePart(items):
|
327
|
out_items = []
|
328
|
for part, value in items:
|
329
|
try: slice_ = name_parts_slices[part]
|
330
|
except KeyError, e: raise SyntaxException(e)
|
331
|
out_items.append((part, ' '.join(value.split(' ')[slice_])))
|
332
|
return _name(out_items)
|
333
|
funcs['_namePart'] = _namePart
|
334
|
|
335
|
#### Paths
|
336
|
|
337
|
def _simplifyPath(items):
|
338
|
items = dict(items)
|
339
|
try:
|
340
|
next = cast(str, items['next'])
|
341
|
require = cast(str, items['require'])
|
342
|
root = items['path']
|
343
|
except KeyError, e: raise SyntaxException(e)
|
344
|
|
345
|
node = root
|
346
|
while node != None:
|
347
|
new_node = xpath.get_1(node, next, allow_rooted=False)
|
348
|
if xpath.get_1(node, require, allow_rooted=False) == None: # empty elem
|
349
|
xml_dom.replace(node, new_node) # remove current elem
|
350
|
if node is root: root = new_node # also update root
|
351
|
node = new_node
|
352
|
return root
|
353
|
funcs['_simplifyPath'] = _simplifyPath
|