Project

General

Profile

1
#!/usr/bin/env python
2
# Maps one datasource to another, using a map spreadsheet if needed
3
# Exit status is the # of errors in the import, up to the maximum exit status
4
# For outputting an XML file to a PostgreSQL database, use the general format of
5
# http://vegbank.org/vegdocs/xml/vegbank_example_ver1.0.2.xml
6

    
7
import csv
8
import os.path
9
import sys
10
import xml.dom.minidom as minidom
11

    
12
sys.path.append(os.path.dirname(__file__)+"/../lib")
13

    
14
import exc
15
import opts
16
import Parser
17
import profiling
18
import sql
19
import strings
20
import term
21
import util
22
import xpath
23
import xml_dom
24
import xml_func
25

    
26
def metadata_value(name): return None # this feature has been removed
27

    
28
def cleanup(val):
29
    if val == None: return val
30
    return util.none_if(strings.cleanup(strings.ustr(val)), u'', u'\\N')
31

    
32
def main_():
33
    env_names = []
34
    def usage_err():
35
        raise SystemExit('Usage: '+opts.env_usage(env_names, True)+' '
36
            +sys.argv[0]+' [map_path...] [<input] [>output]')
37
    
38
    # Get db config from env vars
39
    db_config_names = ['engine', 'host', 'user', 'password', 'database']
40
    def get_db_config(prefix):
41
        return opts.get_env_vars(db_config_names, prefix, env_names)
42
    in_db_config = get_db_config('in')
43
    out_db_config = get_db_config('out')
44
    in_is_db = 'engine' in in_db_config
45
    out_is_db = 'engine' in out_db_config
46
    
47
    # Get other config from env vars
48
    end = util.cast(int, opts.get_env_var('n', None, env_names))
49
    start = util.cast(int, opts.get_env_var('start', '0', env_names))
50
    if end != None: end += start
51
    test = opts.env_flag('test', False, env_names)
52
    commit = opts.env_flag('commit', False, env_names) and not test
53
        # never commit in test mode
54
    redo = opts.env_flag('redo', test, env_names) and not commit
55
        # never redo in commit mode (manually run `make empty_db` instead)
56
    debug = opts.env_flag('debug', False, env_names)
57
    sql.run_raw_query.debug = debug
58
    verbose = debug or opts.env_flag('verbose', False, env_names)
59
    opts.get_env_var('profile_to', None, env_names) # add to env_names
60
    
61
    # Logging
62
    def log(msg, on=verbose):
63
        if on: sys.stderr.write(msg)
64
    def log_start(action, on=verbose): log(action+'...\n', on)
65
    
66
    # Parse args
67
    map_paths = sys.argv[1:]
68
    if map_paths == []:
69
        if in_is_db or not out_is_db: usage_err()
70
        else: map_paths = [None]
71
    
72
    def connect_db(db_config):
73
        log_start('Connecting to '+sql.db_config_str(db_config))
74
        return sql.connect(db_config)
75
    
76
    ex_tracker = exc.ExPercentTracker(iter_text='row')
77
    profiler = profiling.ItersProfiler(start_now=True, iter_text='row')
78
    
79
    doc = xml_dom.create_doc()
80
    root = doc.documentElement
81
    out_is_xml_ref = [False]
82
    in_label_ref = [None]
83
    def update_in_label():
84
        if in_label_ref[0] != None:
85
            xpath.get(root, '/_ignore/inLabel="'+in_label_ref[0]+'"', True)
86
    def prep_root():
87
        root.clear()
88
        update_in_label()
89
    prep_root()
90
    
91
    def process_input(root, row_ready, map_path):
92
        '''Inputs datasource to XML tree, mapping if needed'''
93
        # Load map header
94
        in_is_xpaths = True
95
        out_is_xpaths = True
96
        out_label = None
97
        if map_path != None:
98
            metadata = []
99
            mappings = []
100
            stream = open(map_path, 'rb')
101
            reader = csv.reader(stream)
102
            in_label, out_label = reader.next()[:2]
103
            def split_col_name(name):
104
                name, sep, root = name.partition(':')
105
                return name.partition('[')[0], sep != '', root
106
                    # extract datasrc from "datasrc[data_format]"
107
            in_label, in_is_xpaths, in_root = split_col_name(in_label)
108
            in_label_ref[0] = in_label
109
            update_in_label()
110
            out_label, out_is_xpaths, out_root = split_col_name(out_label)
111
            has_types = out_root.startswith('/*s/') # outer elements are types
112
            for row in reader:
113
                in_, out = row[:2]
114
                if out != '':
115
                    if out_is_xpaths: out = xpath.parse(out_root+out)
116
                    mappings.append((in_, out))
117
            stream.close()
118
            
119
            root.ownerDocument.documentElement.tagName = out_label
120
        in_is_xml = in_is_xpaths and not in_is_db
121
        out_is_xml_ref[0] = out_is_xpaths and not out_is_db
122
        
123
        if in_is_xml:
124
            doc0 = minidom.parse(sys.stdin)
125
            doc0_root = doc0.documentElement
126
            if out_label == None: out_label = doc0_root.tagName
127
        
128
        def process_rows(process_row, rows):
129
            '''Processes input rows
130
            @param process_row(in_row, i)
131
            '''
132
            i = -1 # in case for loop does not execute
133
            for i, row in enumerate(rows):
134
                if i < start: continue
135
                if end != None and i >= end: break
136
                process_row(row, i)
137
                row_ready(i, row)
138
            row_ct = i-start+1
139
            return row_ct
140
        
141
        def map_rows(get_value, rows):
142
            '''Maps input rows
143
            @param get_value(in_, row):str
144
            '''
145
            def process_row(row, i):
146
                row_id = str(i)
147
                for in_, out in mappings:
148
                    value = metadata_value(in_)
149
                    if value == None:
150
                        log_start('Getting '+str(in_), debug)
151
                        value = cleanup(get_value(in_, row))
152
                    if value != None:
153
                        log_start('Putting '+str(out), debug)
154
                        xpath.put_obj(root, out, row_id, has_types, value)
155
            return process_rows(process_row, rows)
156
        
157
        if map_path == None:
158
            iter_ = xml_dom.NodeElemIter(doc0_root)
159
            util.skip(iter_, xml_dom.is_text) # skip metadata
160
            row_ct = process_rows(lambda row, i: root.appendChild(row), iter_)
161
        elif in_is_db:
162
            assert in_is_xpaths
163
            
164
            in_db = connect_db(in_db_config)
165
            in_pkeys = {}
166
            cur = sql.select(in_db, table=in_root, fields=None, conds=None,
167
                limit=end, start=0)
168
            col_names = list(sql.col_names(cur))
169
            col_idxs = util.list_flip(col_names)
170
            
171
            mappings_new = []
172
            for i, mapping in enumerate(mappings):
173
                in_, out = mapping
174
                if metadata_value(in_) == None:
175
                    try: mapping = (col_idxs[in_], out)
176
                    except KeyError: continue
177
                mappings_new.append(mapping)
178
            mappings = mappings_new
179
            
180
            def get_value(in_, row):
181
                try: return row.list[in_]
182
                except IndexError: return None
183
            def wrap_row(row): return util.ListDict(row, col_names, col_idxs)
184
            row_ct = map_rows(get_value, util.WrapIter(wrap_row, sql.rows(cur)))
185
            
186
            in_db.close()
187
        elif in_is_xml:
188
            def get_value(in_, row):
189
                nodes = xpath.get(row, in_, allow_rooted=False)
190
                if nodes != []: return xml_dom.value(nodes[0])
191
                else: return None
192
            rows = xpath.get(doc0_root, in_root, limit=end)
193
            if rows == []: raise SystemExit('Map error: Root "'+in_root
194
                +'" not found in input')
195
            row_ct = map_rows(get_value, rows)
196
        else: # input is CSV
197
            map_ = dict(mappings)
198
            reader = csv.reader(sys.stdin)
199
            col_names = reader.next()
200
            col_idxs = util.list_flip(col_names)
201
            
202
            mappings_new = []
203
            for i, mapping in enumerate(mappings):
204
                in_, out = mapping
205
                if metadata_value(in_) == None:
206
                    try: mapping = (col_idxs[in_], out)
207
                    except KeyError: continue
208
                mappings_new.append(mapping)
209
            mappings = mappings_new
210
            
211
            def get_value(in_, row):
212
                try: return row.list[in_]
213
                except IndexError: return None
214
            def wrap_row(row): return util.ListDict(row, col_names, col_idxs)
215
            row_ct = map_rows(get_value, util.WrapIter(wrap_row, reader))
216
        
217
        return row_ct
218
    
219
    def process_inputs(root, row_ready):
220
        row_ct = 0
221
        for map_path in map_paths:
222
            row_ct += process_input(root, row_ready, map_path)
223
        return row_ct
224
    
225
    if out_is_db:
226
        import db_xml
227
        
228
        out_db = connect_db(out_db_config)
229
        out_pkeys = {}
230
        try:
231
            if redo: sql.empty_db(out_db)
232
            row_ins_ct_ref = [0]
233
            
234
            def row_ready(row_num, input_row):
235
                def on_error(e):
236
                    exc.add_msg(e, term.emph('row #:')+' '+str(row_num))
237
                    exc.add_msg(e, term.emph('input row:')+'\n'+str(input_row))
238
                    exc.add_msg(e, term.emph('output row:')+'\n'+str(root))
239
                    ex_tracker.track(e)
240
                
241
                xml_func.process(root, on_error)
242
                if not xml_dom.is_empty(root):
243
                    assert xml_dom.has_one_child(root)
244
                    try:
245
                        sql.with_savepoint(out_db,
246
                            lambda: db_xml.put(out_db, root.firstChild,
247
                                out_pkeys, row_ins_ct_ref, on_error))
248
                        if commit: out_db.commit()
249
                    except sql.DatabaseErrors, e: on_error(e)
250
                prep_root()
251
            
252
            row_ct = process_inputs(root, row_ready)
253
            sys.stdout.write('Inserted '+str(row_ins_ct_ref[0])+
254
                ' new rows into database\n')
255
        finally:
256
            out_db.rollback()
257
            out_db.close()
258
    else:
259
        def on_error(e): ex_tracker.track(e)
260
        def row_ready(row_num, input_row): pass
261
        row_ct = process_inputs(root, row_ready)
262
        xml_func.process(root, on_error)
263
        if out_is_xml_ref[0]:
264
            doc.writexml(sys.stdout, **xml_dom.prettyxml_config)
265
        else: # output is CSV
266
            raise NotImplementedError('CSV output not supported yet')
267
    
268
    profiler.stop(row_ct)
269
    ex_tracker.add_iters(row_ct)
270
    if verbose:
271
        sys.stderr.write('Processed '+str(row_ct)+' input rows\n')
272
        sys.stderr.write(profiler.msg()+'\n')
273
        sys.stderr.write(ex_tracker.msg()+'\n')
274
    ex_tracker.exit()
275

    
276
def main():
277
    try: main_()
278
    except Parser.SyntaxException, e: raise SystemExit(str(e))
279

    
280
if __name__ == '__main__':
281
    profile_to = opts.get_env_var('profile_to', None)
282
    if profile_to != None:
283
        import cProfile
284
        cProfile.run(main.func_code, profile_to)
285
    else: main()
(14-14/28)