-
Notifications
You must be signed in to change notification settings - Fork 521
/
Copy pathoffice_validator.py
225 lines (164 loc) · 6.85 KB
/
office_validator.py
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
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
"""
Run validation tests on district office data.
For each legislator:
has offices
For each office:
Required fields: id, city, state
Expected fields: address, city, state, zip, phone, latitude, longitude, id
Optional fields: building, fax, hours, suite
Office id: check consistent
offices are in legislator's state
Globally:
Every legislator has offices
All offices belong to current legislators
"""
import datetime
import os.path
import re
from collections import OrderedDict, defaultdict
from itertools import count
import sys
try:
import rtyaml as yaml
except ImportError:
import yaml
try:
from termcolor import colored
except ImportError:
colored = None
NONALPHA = re.compile(r"\W")
PHONE = re.compile(r"^\d{3}-\d{3}-\d{4}$")
FIELD_ORDER = """
id
address suite building
city state zip
latitude longitude
fax hours phone
""".split()
def relfile(path):
return os.path.abspath(os.path.join(os.path.dirname(__file__), path))
def id_offices(bioguide_id, offices):
"""
Generate unique office ids using a similar algorithm to
https://github.com/controlshift/congress-legislators/blob/add-ids-to-offices-script/add_ids_to_offices.rb
Used for validation here, but could be used to generate ids.
"""
id_count = defaultdict(count)
for office in offices:
locality = office.get('city', 'no_city').lower()
locality = NONALPHA.sub('_', locality)
office_id = '-'.join([bioguide_id, locality])
city_count = next(id_count[office_id])
if city_count:
office_id = '-'.join([office_id, str(city_count)])
yield office_id, office
def check_legislator_offices(legislator_offices, legislator):
bioguide_id = legislator_offices['id']['bioguide']
offices = legislator_offices.get('offices', [])
state = None
if legislator:
state = legislator['terms'][-1]['state']
required = ['id', 'city', 'state']
expected = ['address', 'zip', 'phone', 'latitude', 'longitude']
optional = ['building', 'suite', 'hours', 'fax']
all_fields = set(required + expected + optional)
errors = []
warnings = []
if not legislator:
errors.append("Offices for inactive legislator")
if not offices:
errors.append("Zero offices")
for office_id, office in id_offices(bioguide_id, offices):
for field in required:
if not office.get(field):
errors.append("Office %s is missing required field '%s'" % (office_id, field))
for field in expected:
if not office.get(field):
warnings.append("Office %s is missing field '%s'" % (office_id, field))
for field in office:
if field not in all_fields:
errors.append("Office %s has unrecognized field '%s'" % (office_id, field))
if not office.get(field):
warnings.append("Office %s has empty field %s" % (office_id, field))
found_id = office.get('id')
if found_id and office_id != found_id:
errors.append("Office %s has unexpected id '%s'" % (office_id, found_id))
office_state = office.get('state')
if state and office_state and office_state != state:
errors.append("Office %s is in '%s', legislator is from '%s'" % (office_id, office_state, state))
office_zip = office.get('zip')
if office_zip is not None and not isinstance(office_zip, str):
errors.append("Office %s has non-string zip: %s" % (office_id, office_zip))
phone = office.get('phone')
fax = office.get('fax')
if phone and not PHONE.match(phone):
errors.append("Office %s phone '%s' does not match format ddd-ddd-dddd" % (office_id, phone))
if fax and not PHONE.match(fax):
errors.append("Office %s fax '%s' does not match format ddd-ddd-dddd" % (office_id, fax))
if (office.get('address') and
not (office.get('latitude') and office.get('longitude'))):
warnings.append("Office %s missing geocode" % office_id)
if not office.get('address') and not office.get('phone'):
errors.append("Office %s needs at least address or phone" % office_id)
fields = [f for f in office if f in FIELD_ORDER] # unknown fields checked above
sorted_fields = sorted(fields, key=FIELD_ORDER.index)
if fields != sorted_fields:
warnings.append("Office %s fields out of order, expected %s" % (office_id, sorted_fields))
return errors, warnings
def load_to_dict(path):
# load to an OrderedDict keyed by bioguide id
d = yaml.load(open(relfile(path)))
return OrderedDict((l['id']['bioguide'], l) for l in d
if 'bioguide' in l['id'])
def print_issues(legislator, errors, warnings):
if not (errors or warnings):
return
if isinstance(legislator, str):
info = legislator
else:
term = legislator['terms'][-1]
info = "{} [{} {}] {} ({})".format(
legislator['id']['bioguide'], term['state'], term['type'],
legislator['name'].get('official_full'), term.get('url', 'no url'))
print(info)
for error in errors:
msg = " ERROR: {}".format(error)
if colored:
msg = colored(msg, "red")
print(msg)
for warning in warnings:
msg = " WARNING: {}".format(warning)
if colored:
msg = colored(msg, "yellow")
print(msg)
print("")
def run(skip_warnings=False):
legislators = load_to_dict("../legislators-current.yaml")
legislators_offices = load_to_dict("../legislators-district-offices.yaml")
has_errors = False
for bioguide_id, legislator_offices in legislators_offices.items():
legislator = legislators.get(bioguide_id)
errors, warnings = check_legislator_offices(legislator_offices, legislator)
if skip_warnings:
warnings = []
if errors:
has_errors = True
print_issues(legislator or bioguide_id, errors, warnings)
for bioguide_id in set(legislators) - set(legislators_offices):
# Only report an error for a missing office if the
# legislator has been in office for at least 60 days.
start_date = legislators[bioguide_id]['terms'][-1]['start']
if datetime.date.today() - datetime.datetime.strptime(start_date, '%Y-%m-%d').date() >= datetime.timedelta(60):
has_errors = True
errors, warnings = ["No offices"], []
else:
errors, warnings = [], ["No offices"]
print_issues(legislators[bioguide_id], errors, warnings)
return has_errors
if __name__ == '__main__':
import argparse
parser = argparse.ArgumentParser()
parser.add_argument("--skip-warnings", action="store_true")
args = parser.parse_args()
has_errors = run(skip_warnings=args.skip_warnings)
sys.exit(1 if has_errors else 0)