This repository has been archived by the owner on Jan 8, 2024. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 71
/
Copy pathcli.py
157 lines (135 loc) · 5.34 KB
/
cli.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
# Copyright 2016 Google Inc. All Rights Reserved.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
"""Command line interface to subpar compiler"""
import argparse
import io
import os
import re
from subpar.compiler import error
from subpar.compiler import python_archive
def bool_from_string(raw_value):
"""Parse a boolean command line argument value"""
if raw_value == 'True':
return True
elif raw_value == 'False':
return False
else:
raise argparse.ArgumentTypeError(
'Value must be True or False, got %r instead.' % raw_value)
def make_command_line_parser():
"""Return an object that can parse this program's command line"""
parser = argparse.ArgumentParser(
description='Subpar Python Executable Builder')
parser.add_argument(
'main_filename',
help='Python source file to use as main entry point')
parser.add_argument(
'--manifest_file',
help='File listing all files to be included in this parfile. This is ' +
'typically generated by bazel in a target\'s .runfiles_manifest file.',
required=True)
parser.add_argument(
'--manifest_root',
help='Root directory of all relative paths in manifest file.',
default=os.getcwd())
parser.add_argument(
'--outputpar',
help='Filename of generated par file.',
required=True)
parser.add_argument(
'--stub_file',
help='Read imports and interpreter path from the specified stub file',
required=True)
parser.add_argument(
'--interpreter',
help='Interpreter to use instead of determining it from the stub file')
# The default timestamp is "Jan 1 1980 00:00:00 utc", which is the
# earliest time that can be stored in a zip file.
#
# "Seconds since Unix epoch" was chosen to be compatible with
# the SOURCE_DATE_EPOCH standard
#
# Numeric calue is from running this:
# "date --date='Jan 1 1980 00:00:00 utc' --utc +%s"
parser.add_argument(
'--timestamp',
help='Timestamp (in seconds since Unix epoch) for all stored files',
type=int,
default=315532800,
)
# See
# http://setuptools.readthedocs.io/en/latest/setuptools.html#setting-the-zip-safe-flag
# for background and explanation.
parser.add_argument(
'--zip_safe',
help='Safe to import modules and access datafiles straight from zip ' +
'archive? If False, all files will be extracted to a temporary ' +
'directory at the start of execution.',
type=bool_from_string,
required=True)
return parser
def parse_stub(stub_filename):
"""Parse the imports and interpreter path from a py_binary() stub.
We assume the stub is utf-8 encoded.
TODO(b/29227737): Remove this once we can access imports from skylark.
Returns (list of relative paths, path to Python interpreter)
"""
# Find the list of import roots
imports_regex = re.compile(r'''^ python_imports = '([^']*)'$''')
interpreter_regex = re.compile(r'''^PYTHON_BINARY = '([^']*)'$''')
import_roots = None
interpreter = None
with io.open(stub_filename, 'rt', encoding='utf8') as stub_file:
for line in stub_file:
importers_match = imports_regex.match(line)
if importers_match:
import_roots = importers_match.group(1).split(':')
# Filter out empty paths
import_roots = [x for x in import_roots if x]
interpreter_match = interpreter_regex.match(line)
if interpreter_match:
interpreter = interpreter_match.group(1)
if import_roots is None or not interpreter:
raise error.Error('Failed to parse stub file [%s]' % stub_filename)
# Find the Python interpreter, matching the search logic in
# stub_template.txt
if interpreter.startswith('//'):
raise error.Error('Python interpreter must not be a label [%s]' %
stub_filename)
elif interpreter.startswith('/'):
pass
elif '/' in interpreter:
pass
else:
interpreter = '/usr/bin/env %s' % interpreter
return (import_roots, interpreter)
def main(argv):
"""Command line interface to Subpar"""
parser = make_command_line_parser()
args = parser.parse_args(argv[1:])
# Parse information from stub file that's too hard to compute in Skylark
import_roots, interpreter = parse_stub(args.stub_file)
if args.interpreter:
interpreter = args.interpreter
par = python_archive.PythonArchive(
main_filename=args.main_filename,
import_roots=import_roots,
interpreter=interpreter,
output_filename=args.outputpar,
manifest_filename=args.manifest_file,
manifest_root=args.manifest_root,
timestamp=args.timestamp,
zip_safe=args.zip_safe,
)
par.create()