Project

General

Profile

1
#!/usr/bin/env python
2
# Combines two map spreadsheets A0->B and A1->C to A->B, with B overwriting C
3
# Multi-safe (supports an input appearing multiple times). Note that if there is
4
# *any* mapping for an input in map_0, all mappings for that input in map_1 will
5
# be excluded.
6

    
7
import csv
8
import os.path
9
import sys
10

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

    
13
import maps
14
import opts
15
import util
16

    
17
def main():
18
    ignore = opts.env_flag('ignore')
19
    header_num = util.cast(int, opts.get_env_var('header_num'))
20
        # selects which map's header to use as the output header
21
    try: _prog_name, map_1_path = sys.argv
22
    except ValueError:
23
        raise SystemExit('Usage: env [ignore=1] [header_num={0|1}] '+sys.argv[0]
24
            +' <map_0 map_1 [| '+sys.argv[0]+' map_2]... >union_map')
25
    
26
    headers = [None]*2
27
    
28
    # Open map 0
29
    map_0_reader = csv.reader(sys.stdin)
30
    headers[0] = map_0_reader.next()
31
    
32
    # Open map 1
33
    stream = open(map_1_path, 'rb')
34
    map_1_reader = csv.reader(stream)
35
    headers[1] = map_1_reader.next()
36
    
37
    # Check col labels
38
    combinable = maps.combinable(*headers)
39
    if not combinable and not ignore:
40
        raise SystemExit('Map error: '
41
        'Map 0 column 0 label doesn\'t contain map 1 column 0 label')
42
    
43
    # Pass through map 0, storing which mappings it defines
44
    writer = csv.writer(sys.stdout)
45
    writer.writerow(maps.merge_headers(*headers, **dict(prefer=header_num)))
46
    mappings = set()
47
    for row in map_0_reader:
48
        if row[0] != '':
49
            mappings.add(row[0])
50
            if row[1] != '': mappings.add(row[1])
51
        writer.writerow(row)
52
    
53
    if combinable:
54
        # Add mappings in map 1 that weren't already defined or mapped to
55
        for row in map_1_reader:
56
            if row[0] != '' and row[0] not in mappings: writer.writerow(row)
57
    
58
    stream.close()
59

    
60
main()
(49-49/53)