-
Notifications
You must be signed in to change notification settings - Fork 251
/
builder.py
406 lines (310 loc) · 12.8 KB
/
builder.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
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
import logging
import re
import sys
import warnings
from collections import defaultdict
from pathlib import Path
from typing import TYPE_CHECKING
from typing import Dict
from typing import List
from typing import Optional
from typing import Set
from typing import Union
if TYPE_CHECKING:
from poetry.core.poetry import Poetry
AUTHOR_REGEX = re.compile(r"(?u)^(?P<name>[- .,\w\d'’\"()]+) <(?P<email>.+?)>$")
METADATA_BASE = """\
Metadata-Version: 2.1
Name: {name}
Version: {version}
Summary: {summary}
"""
logger = logging.getLogger(__name__)
class Builder:
format: Optional[str] = None
def __init__(
self,
poetry: "Poetry",
ignore_packages_formats: bool = False,
executable: Optional[Union[Path, str]] = None,
) -> None:
from poetry.core.masonry.metadata import Metadata
from poetry.core.masonry.utils.module import Module
self._poetry = poetry
self._package = poetry.package
self._path = poetry.file.parent
self._excluded_files: Optional[Set[str]] = None
self._executable = Path(executable or sys.executable)
packages = []
for p in self._package.packages:
formats = p.get("format") or None
# Default to including the package in both sdist & wheel
# if the `format` key is not provided in the inline include table.
if formats is None:
formats = ["sdist", "wheel"]
if not isinstance(formats, list):
formats = [formats]
if (
formats
and self.format
and self.format not in formats
and not ignore_packages_formats
):
continue
packages.append(p)
includes = []
for include in self._package.include:
formats = include.get("format", [])
if (
formats
and self.format
and self.format not in formats
and not ignore_packages_formats
):
continue
includes.append(include)
self._module = Module(
self._package.name,
self._path.as_posix(),
packages=packages,
includes=includes,
)
self._meta = Metadata.from_package(self._package)
@property
def executable(self) -> Path:
return self._executable
def build(self) -> None:
raise NotImplementedError()
def find_excluded_files(self, fmt: Optional[str] = None) -> Set[str]:
if self._excluded_files is None:
from poetry.core.vcs import get_vcs
# Checking VCS
vcs = get_vcs(self._path)
if not vcs:
vcs_ignored_files = set()
else:
vcs_ignored_files = set(vcs.get_ignored_files())
explicitely_excluded = set()
for excluded_glob in self._package.exclude:
for excluded in self._path.glob(str(excluded_glob)):
explicitely_excluded.add(
Path(excluded).relative_to(self._path).as_posix()
)
explicitely_included = set()
for inc in self._package.include:
if fmt and inc["format"] and fmt not in inc["format"]:
continue
included_glob = inc["path"]
for included in self._path.glob(str(included_glob)):
explicitely_included.add(
Path(included).relative_to(self._path).as_posix()
)
ignored = (vcs_ignored_files | explicitely_excluded) - explicitely_included
result = set()
for file in ignored:
result.add(file)
# The list of excluded files might be big and we will do a lot
# containment check (x in excluded).
# Returning a set make those tests much much faster.
self._excluded_files = result
return self._excluded_files
def is_excluded(self, filepath: Union[str, Path]) -> bool:
exclude_path = Path(filepath)
while True:
if exclude_path.as_posix() in self.find_excluded_files(fmt=self.format):
return True
if len(exclude_path.parts) > 1:
exclude_path = exclude_path.parent
else:
break
return False
def find_files_to_add(self, exclude_build: bool = True) -> Set["BuildIncludeFile"]:
"""
Finds all files to add to the tarball
"""
from poetry.core.masonry.utils.package_include import PackageInclude
to_add = set()
for include in self._module.includes:
include.refresh()
formats = include.formats or ["sdist"]
for file in include.elements:
if "__pycache__" in str(file):
continue
if file.is_dir():
if self.format in formats:
for current_file in file.glob("**/*"):
include_file = BuildIncludeFile(
path=current_file,
project_root=self._path,
source_root=self._path,
)
if not current_file.is_dir() and not self.is_excluded(
include_file.relative_to_source_root()
):
to_add.add(include_file)
continue
if (
isinstance(include, PackageInclude)
and include.source
and self.format == "wheel"
):
source_root = include.base
else:
source_root = self._path
include_file = BuildIncludeFile(
path=file, project_root=self._path, source_root=source_root
)
if self.is_excluded(
include_file.relative_to_project_root()
) and isinstance(include, PackageInclude):
continue
if file.suffix == ".pyc":
continue
if file in to_add:
# Skip duplicates
continue
logger.debug(f"Adding: {str(file)}")
to_add.add(include_file)
# add build script if it is specified and explicitly required
if self._package.build_script and not exclude_build:
to_add.add(
BuildIncludeFile(
path=self._package.build_script,
project_root=self._path,
source_root=self._path,
)
)
return to_add
def get_metadata_content(self) -> str:
content = METADATA_BASE.format(
name=self._meta.name,
version=self._meta.version,
summary=str(self._meta.summary),
)
# Optional fields
if self._meta.home_page:
content += f"Home-page: {self._meta.home_page}\n"
if self._meta.license:
content += f"License: {self._meta.license}\n"
if self._meta.keywords:
content += f"Keywords: {self._meta.keywords}\n"
if self._meta.author:
content += f"Author: {str(self._meta.author)}\n"
if self._meta.author_email:
content += f"Author-email: {str(self._meta.author_email)}\n"
if self._meta.maintainer:
content += f"Maintainer: {str(self._meta.maintainer)}\n"
if self._meta.maintainer_email:
content += f"Maintainer-email: {str(self._meta.maintainer_email)}\n"
if self._meta.requires_python:
content += f"Requires-Python: {self._meta.requires_python}\n"
for classifier in self._meta.classifiers:
content += f"Classifier: {classifier}\n"
for extra in sorted(self._meta.provides_extra):
content += f"Provides-Extra: {extra}\n"
for dep in sorted(self._meta.requires_dist):
content += f"Requires-Dist: {dep}\n"
for url in sorted(self._meta.project_urls, key=lambda u: u[0]):
content += f"Project-URL: {str(url)}\n"
if self._meta.description_content_type:
content += (
f"Description-Content-Type: {self._meta.description_content_type}\n"
)
if self._meta.description is not None:
content += "\n" + str(self._meta.description) + "\n"
return content
def convert_entry_points(self) -> Dict[str, List[str]]:
result = defaultdict(list)
# Scripts -> Entry points
for name, specification in self._poetry.local_config.get("scripts", {}).items():
if isinstance(specification, str):
# TODO: deprecate this in favour or reference
specification = {"reference": specification, "type": "console"}
if "callable" in specification:
warnings.warn(
f"Use of callable in script specification ({name}) is deprecated."
" Use reference instead.",
DeprecationWarning,
)
specification = {
"reference": specification["callable"],
"type": "console",
}
if specification.get("type") != "console":
continue
extras = specification.get("extras", [])
extras = f"[{', '.join(extras)}]" if extras else ""
reference = specification.get("reference")
if reference:
result["console_scripts"].append(f"{name} = {reference}{extras}")
# Plugins -> entry points
plugins = self._poetry.local_config.get("plugins", {})
for groupname, group in plugins.items():
for name, specification in sorted(group.items()):
result[groupname].append(f"{name} = {specification}")
for groupname in result:
result[groupname] = sorted(result[groupname])
return dict(result)
def convert_script_files(self) -> List[Path]:
script_files: List[Path] = []
for name, specification in self._poetry.local_config.get("scripts", {}).items():
if isinstance(specification, dict) and specification.get("type") == "file":
source = specification["reference"]
if Path(source).is_absolute():
raise RuntimeError(
f"{source} in {name} is an absolute path. Expected relative"
" path."
)
abs_path = Path.joinpath(self._path, source)
if not abs_path.exists():
raise RuntimeError(
f"{abs_path} in script specification ({name}) is not found."
)
if not abs_path.is_file():
raise RuntimeError(
f"{abs_path} in script specification ({name}) is not a file."
)
script_files.append(abs_path)
return script_files
@classmethod
def convert_author(cls, author: str) -> Dict[str, str]:
m = AUTHOR_REGEX.match(author)
name = m.group("name")
email = m.group("email")
return {"name": name, "email": email}
class BuildIncludeFile:
def __init__(
self,
path: Union[Path, str],
project_root: Union[Path, str],
source_root: Optional[Union[Path, str]] = None,
):
"""
:param project_root: the full path of the project's root
:param path: a full path to the file to be included
:param source_root: the root path to resolve to
"""
self.path = Path(path)
self.project_root = Path(project_root).resolve()
self.source_root = None if not source_root else Path(source_root).resolve()
if not self.path.is_absolute() and self.source_root:
self.path = self.source_root / self.path
else:
self.path = self.path
self.path = self.path.resolve()
def __eq__(self, other: Union["BuildIncludeFile", Path]) -> bool:
if hasattr(other, "path"):
return self.path == other.path
return self.path == other
def __ne__(self, other: Union["BuildIncludeFile", Path]) -> bool:
return not self.__eq__(other)
def __hash__(self) -> int:
return hash(self.path)
def __repr__(self) -> str:
return str(self.path)
def relative_to_project_root(self) -> Path:
return self.path.relative_to(self.project_root)
def relative_to_source_root(self) -> Path:
if self.source_root is not None:
return self.path.relative_to(self.source_root)
return self.path