-
Notifications
You must be signed in to change notification settings - Fork 58
Expand file tree
/
Copy pathcli.py
More file actions
executable file
·467 lines (399 loc) · 17.9 KB
/
cli.py
File metadata and controls
executable file
·467 lines (399 loc) · 17.9 KB
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
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
#!/usr/bin/env python
from csv import DictWriter, DictReader
from collections import defaultdict
from datetime import datetime, timezone
from itertools import tee, islice
from json import loads
from os import getenv
import re
from shutil import rmtree
from yaml import safe_load
from yaml.scanner import ScannerError
from argparse import ArgumentParser
from concurrent.futures import ThreadPoolExecutor, as_completed
from dataclasses import dataclass, asdict
from io import StringIO
from os import environ
from pathlib import Path
from tempfile import TemporaryDirectory
from subprocess import run, PIPE, STDOUT
from urllib.parse import urlsplit
def concrete_path(path):
p = Path(path)
if not p.exists():
raise ValueError(f'{path} does not exist!')
return p
@dataclass
class Metadata:
remote: str
local: Path
yaml: dict
image_name: str = None
def __post_init__(self):
self.image_name = f'econ-ark/{self.local.name.lower().replace(" ", "_")}'
def flat(self):
d = {**self.yaml, **asdict(self)}
del d['yaml']
return d
def add_remark_arg_group(subparser, required=True):
group = subparser.add_mutually_exclusive_group(required=required)
group.add_argument(
'remark',
default=[],
nargs='*',
type=concrete_path,
help='path(s) to REMARK metadata files (located under REMARKs/*.yml).'
)
group.add_argument('--all', action='store_true', help='pull/clone all REMARKs found in REMARKs/*.md')
return group
def parse_paths_from_standard(text):
lines = text.splitlines()
lines.pop(0) # skip the '.'
d = Path()
for prev, cur in zip(*(islice(it, i, None) for i, it in enumerate(tee(lines, 2)))):
if not cur.strip() or cur.startswith('#'):
continue
_, _, prev_part = prev.partition('--')
_, _, cur_part = cur.partition('--')
cur_part, prev_part = cur_part.strip(), prev_part.strip()
prev_indent = len(re.findall(r'\s{4}|\|\s{3}', prev))
cur_indent = len(re.findall(r'\s{4}|\|\s{3}', cur))
if prev_indent == cur_indent:
yield d / prev_part
elif prev_indent > cur_indent:
yield d / prev_part
d = d.parent
else:
d = d / prev_part
if prev_indent > cur_indent:
yield d.parent / cur_part
else:
yield d / cur_part
def git_exists(local_repo_path):
return Path(local_repo_path).joinpath('.git').exists()
def git_clone(local_repo_path, *, remote):
return run(
['git', 'clone', '--depth', '1', '--single-branch', remote, local_repo_path]
)
def git_pull(local_repo_path):
return run(['git', 'pull'], cwd=local_repo_path)
def git_checkout(local_repo_path, *, identifier):
return run(['git', 'checkout', identifier], cwd=local_repo_path)
def build_docker(local_repo, image_name):
cmd = ['repo2docker', '--no-run', '--image-name', image_name, local_repo.resolve()]
return run(cmd, stdout=PIPE, stderr=STDOUT, encoding='utf-8')
def execute_docker(local_repo, image_name, script):
# repo2docker names the Python execution conda environment: "kernel" | "notebook"
# kernel is used if the notebook env has incompat libraries or Python version
# notebook should be used in other cases.
docker_prefix = [
'docker', 'run', '-it', '--entrypoint', '',
'--mount', f'type=bind,source={local_repo.resolve()},target={getenv("HOME")}',
image_name,
]
envs_list_proc = run(
[*docker_prefix, 'conda', 'env', 'list', '--json'],
stdout=PIPE, stderr=STDOUT, encoding='utf-8'
)
envs = loads(envs_list_proc.stdout)['envs']
priority = ['/srv/conda/envs/kernel', '/srv/conda/envs/notebook']
for prefix in priority:
if prefix in envs:
cmd_prefix = ['conda', 'run', '-p', prefix]
break
else:
cmd_prefix = []
return run(
[*docker_prefix, *cmd_prefix, 'bash', script],
stdout=PIPE, stderr=STDOUT, encoding='utf-8'
)
def clean_docker(image_name):
cmd = ['docker', 'rmi', '--force', image_name]
return run(cmd, encoding='utf-8')
def build_conda(local_repo):
cmd = ['conda', 'env', 'update', '-f', 'binder/environment.yml', '--prefix', './.condaenv']
proc = run(cmd, stdout=PIPE, stderr=STDOUT, encoding='utf-8', cwd=local_repo)
if proc.returncode == 0:
with open(local_repo / '.condaenv' / '.gitignore', 'w') as f:
f.write('*')
return proc
def execute_conda(local_repo, script):
cmd = ['conda', 'run', '-p', './.condaenv', getenv('SHELL', default='/bin/bash'), script]
return run(cmd, stdout=PIPE, stderr=STDOUT, encoding='utf-8', cwd=local_repo)
def clean_conda(local_repo):
cmd = ['conda', 'env', 'remove', '--prefix', './.condaenv', '--yes', '--quiet']
return run(cmd, encoding='utf-8', cwd=local_repo)
if __name__ == '__main__':
git_root = Path(__file__).parent
remark_home = git_root / '_REMARK'
repo_home = remark_home / 'repos'
repo_home.mkdir(exist_ok=True, parents=True)
with open(remark_home / '.gitignore', 'w') as f:
f.write('**')
metadata = {}
for p in git_root.joinpath('REMARKs').glob('*.yml'):
with open(p) as f:
data = safe_load(f)
data['name'] = p.stem
metadata[p.relative_to(git_root)] = Metadata(
local=repo_home / data['name'],
remote=data['remote'],
yaml=data,
)
parser = ArgumentParser()
subparsers = parser.add_subparsers(dest='action')
# pull/fetch
pull_parser = subparsers.add_parser('pull', help='clone/pulls REMARK github repositories locally')
add_remark_arg_group(pull_parser)
# lint
lint_parser = subparsers.add_parser('lint', help='check compatibility of REMARK repositories against STANDARD.md')
add_remark_arg_group(lint_parser)
lint_parser.add_argument('--include-optional', action='store_true', help='include optional files when checking against STANDARD.md')
lint_parser.add_argument('--tier', type=int, choices=[1, 2, 3], default=2, help='REMARK tier to check against (1=Docker, 2=Reproducible, 3=Published). Default: 2')
# build
build_parser = subparsers.add_parser('build', help='build docker images/conda environments for REMARK repositories')
build_parser.add_argument('type', choices=['docker', 'conda'])
build_parser.add_argument('--jobs', '-J', default=4, type=int)
add_remark_arg_group(build_parser)
# execute
execute_parser = subparsers.add_parser('execute', help='execute REMARK reproduce_min.sh (falling back to reproduce.sh) within their built environments')
execute_parser.add_argument('type', choices=['docker', 'conda'], help='execute within a built docker image or a conda environment')
execute_parser.add_argument('--jobs', '-J', default=4, type=int, help='number of REMARKs to execute in parallel')
execute_parser.add_argument('--no-min', action='store_true', help='ignore reproduce_min.sh')
add_remark_arg_group(execute_parser)
# log
log_parser = subparsers.add_parser('logs', help='show most recent return codes from previous build/execute attempt')
add_remark_arg_group(log_parser)
# clean
clean_parser = subparsers.add_parser('clean', help='remove build environments')
clean_parser.add_argument('type', choices=['repo', 'docker', 'conda'])
add_remark_arg_group(clean_parser)
args = parser.parse_args()
if args.action == 'pull':
to_pull = metadata.keys() if args.all else args.remark
for path in to_pull:
mdata = metadata[path]
print(f'Updating {path} @ {mdata.local}')
if git_exists(mdata.local):
git_pull(mdata.local)
else:
git_clone(mdata.local, remote=mdata.remote)
if 'tag' in mdata.yaml:
git_checkout(mdata.local, identifier=f'tags/{mdata.yaml["tag"]}')
print('-' * 20, end='\n\n')
elif args.action == 'lint':
to_lint = metadata.keys() if args.all else args.remark
# Define tier-specific requirements
tier_requirements = {
1: { # Docker REMARK
'required': [
Path('Dockerfile'),
Path('reproduce.sh'),
Path('README.md'),
Path('LICENSE'),
Path('binder/environment.yml'),
],
'checks': [
('README.md', 50, 'README must be ≥50 lines'),
('Dockerfile', None, 'Dockerfile must exist'),
]
},
2: { # Reproducible REMARK
'required': [
Path('Dockerfile'),
Path('reproduce.sh'),
Path('README.md'),
Path('REMARK.md'),
Path('CITATION.cff'),
Path('LICENSE'),
Path('binder/environment.yml'),
],
'checks': [
('README.md', 100, 'README must be ≥100 lines'),
('Dockerfile', None, 'Dockerfile must exist'),
('REMARK.md', None, 'REMARK.md metadata required'),
('CITATION.cff', None, 'CITATION.cff required'),
]
},
3: { # Published REMARK (LCD)
'required': [
Path('Dockerfile'),
Path('reproduce.sh'),
Path('README.md'),
Path('REMARK.md'),
Path('CITATION.cff'),
Path('LICENSE'),
Path('binder/environment.yml'),
],
'checks': [
('README.md', 100, 'README must be comprehensive (≥100 lines)'),
('Dockerfile', None, 'Dockerfile must exist'),
('REMARK.md', None, 'REMARK.md with tier: 3 metadata'),
('CITATION.cff', None, 'CITATION.cff with citation info'),
]
}
}
tier = args.tier
requirements = tier_requirements[tier]['required']
checks = tier_requirements[tier]['checks']
# Optional files for all tiers
optional_files = [Path('reproduce_min.sh')]
for path in to_lint:
mdata = metadata[path]
messages = []
warnings = []
# Check required files
for req in requirements:
if not mdata.local.joinpath(req).exists():
messages.append(f'missing {req}')
# Perform additional checks
for filename, min_lines, message in checks:
filepath = mdata.local / filename
if filepath.exists():
if min_lines and filename.endswith('.md'):
try:
with open(filepath, 'r') as f:
lines = len([l for l in f.readlines() if l.strip()])
if lines < min_lines:
messages.append(f'{filename}: {lines} lines < {min_lines} required')
except Exception as e:
warnings.append(f'{filename}: Could not count lines - {e}')
# Check for tier specification in Tier 3 (DOI now optional/recommended)
if tier == 3:
if filename == 'CITATION.cff' and filepath.exists():
try:
with open(filepath, 'r') as f:
content = f.read()
if 'doi:' not in content.lower() and '10.' not in content:
warnings.append('CITATION.cff: No DOI found (recommended for Tier 3, required for publication)')
except Exception as e:
pass
if filename == 'REMARK.md' and filepath.exists():
try:
with open(filepath, 'r') as f:
content = f.read()
if 'tier: 3' not in content.lower() and 'tier:3' not in content.lower():
warnings.append('REMARK.md: Should specify "tier: 3"')
except Exception as e:
pass
# Check for optional files
if args.include_optional:
for opt in optional_files:
if not mdata.local.joinpath(opt).exists():
warnings.append(f'optional: {opt} not found')
if messages or warnings:
print(f' {path} (Tier {tier}) '.center(50, '-'))
print(mdata.local)
if messages:
print('Errors:')
for m in messages:
print(f' ❌ {m}')
if warnings:
print('Warnings:')
for w in warnings:
print(f' ⚠️ {w}')
print()
else:
print(f'✅ {path} (Tier {tier}): All requirements met')
elif args.action == 'build':
report_dir = remark_home / 'logs' / 'build'
report_dir.mkdir(exist_ok=True, parents=True)
to_build = metadata.keys() if args.all else args.remark
with ThreadPoolExecutor(min(len(to_build), args.jobs)) as pool:
def submitter(name):
def _submitter(func, *args, **kwargs):
def wrapper(*args, **kwargs):
print(f'Building {name}')
return func(*args, **kwargs)
return pool.submit(wrapper, *args, **kwargs)
return _submitter
futures = {}
for path in to_build:
mdata = metadata[path]
if args.type == 'docker':
fut = submitter(path)(build_docker, mdata.local, mdata.image_name)
elif args.type == 'conda':
fut = submitter(path)(build_conda, mdata.local)
futures[fut] = (mdata, args.type)
for comp in as_completed(futures):
mdata, build_type = futures[comp]
proc = comp.result()
remark_name = mdata.yaml['name']
report_log_path = report_dir / f'{remark_name}_{build_type}.log'
report_rc_path = report_dir / f'{remark_name}_{build_type}_rc.log'
with open(report_log_path, 'w') as f:
f.write(proc.stdout)
with open(report_rc_path, 'w') as f:
f.write(str(proc.returncode))
print(f'{remark_name} → {proc.returncode}')
if args.jobs == 1:
print(proc.stdout)
elif args.action == 'execute':
report_dir = remark_home / 'logs' / 'execute'
report_dir.mkdir(exist_ok=True, parents=True)
to_execute = metadata.keys() if args.all else args.remark
with ThreadPoolExecutor(min(len(to_execute), args.jobs)) as pool:
def submitter(path):
def _submitter(func, *args, **kwargs):
def wrapper(*args, **kwargs):
print(f'Executing {path}')
return func(*args, **kwargs)
return pool.submit(wrapper, *args, **kwargs)
return _submitter
futures = {}
for path in to_execute:
mdata = metadata[path]
script = 'reproduce.sh'
if (mdata.local / 'reproduce_min.sh').exists() and not args.no_min:
script = 'reproduce_min.sh'
if args.type == 'docker':
fut = submitter(path)(
execute_docker,
local_repo=mdata.local,
image_name=mdata.image_name,
script=script
)
elif args.type == 'conda':
fut = submitter(path)(
execute_conda,
local_repo=mdata.local,
script=script
)
futures[fut] = (mdata, args.type)
for comp in as_completed(futures):
mdata, build_type = futures[comp]
proc = comp.result()
remark_name = mdata.yaml['name']
report_log_path = report_dir / f'{remark_name}_{build_type}.log'
report_rc_path = report_dir / f'{remark_name}_{build_type}_rc.log'
with open(report_log_path, 'w') as f:
f.write(proc.stdout)
with open(report_rc_path, 'w') as f:
f.write(str(proc.returncode))
print(f'{remark_name} → {proc.returncode}')
if args.jobs == 1:
print(proc.stdout)
elif args.action == 'logs':
results = defaultdict(lambda: defaultdict(dict))
padding = max(len(str(k)) for k in metadata.keys())
for path in metadata.keys():
name = path.stem
report_dir = remark_home / 'logs'
for log_file in sorted(report_dir.glob(f'*/*{name}*_rc.log')):
name, log_type, _ = log_file.name.rsplit('_', maxsplit=2)
results[log_file.parent.name][name][log_type] = log_file.read_text().strip()
for log_type, logs in results.items():
padding = max(len(str(k)) for k in logs)
print(f'{log_type:-^{padding}}')
for name, rc in logs.items():
print(f'{name: <{padding}} = {rc}')
elif args.action == 'clean':
to_clean = metadata.keys() if args.all else args.remark
for name in to_clean:
mdata = metadata[name]
if args.type == 'repo':
rmtree(mdata.local)
elif args.type == 'docker':
clean_docker(mdata.image_name)
elif args.type == 'conda':
clean_conda(mdata.local)