-
Notifications
You must be signed in to change notification settings - Fork 73
/
Copy path__init__.py
1172 lines (967 loc) · 43.6 KB
/
__init__.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
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
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
# SPDX-FileCopyrightText: 2021 Filipe Laíns <[email protected]>
# SPDX-FileCopyrightText: 2021 Quansight, LLC
# SPDX-FileCopyrightText: 2022 The meson-python developers
#
# SPDX-License-Identifier: MIT
"""Meson Python build backend
Implements PEP 517 hooks.
"""
from __future__ import annotations
import argparse
import collections
import contextlib
import copy
import difflib
import functools
import importlib.machinery
import io
import itertools
import json
import os
import pathlib
import platform
import re
import shutil
import subprocess
import sys
import sysconfig
import tarfile
import tempfile
import textwrap
import typing
import warnings
from typing import Dict
if sys.version_info < (3, 11):
import tomli as tomllib
else:
import tomllib
if sys.version_info < (3, 8):
import importlib_metadata
else:
import importlib.metadata as importlib_metadata
import packaging.requirements
import packaging.version
import pyproject_metadata
import mesonpy._compat
import mesonpy._dylib
import mesonpy._elf
import mesonpy._introspection
import mesonpy._tags
import mesonpy._util
import mesonpy._wheelfile
from mesonpy._compat import Collection, Mapping, cached_property, read_binary
if typing.TYPE_CHECKING: # pragma: no cover
from typing import Any, Callable, DefaultDict, List, Literal, Optional, Sequence, TextIO, Tuple, Type, TypeVar, Union
from mesonpy._compat import Iterator, ParamSpec, Path
P = ParamSpec('P')
T = TypeVar('T')
__version__ = '0.13.0.dev1'
# XXX: Once Python 3.8 is our minimum supported version, get rid of
# meson_args_keys and use typing.get_args(MesonArgsKeys) instead.
# Keep both definitions in sync!
_MESON_ARGS_KEYS = ['dist', 'setup', 'compile', 'install']
if typing.TYPE_CHECKING:
MesonArgsKeys = Literal['dist', 'setup', 'compile', 'install']
MesonArgs = Mapping[MesonArgsKeys, List[str]]
else:
MesonArgs = dict
_COLORS = {
'red': '\33[31m',
'cyan': '\33[36m',
'yellow': '\33[93m',
'light_blue': '\33[94m',
'bold': '\33[1m',
'dim': '\33[2m',
'underline': '\33[4m',
'reset': '\33[0m',
}
_NO_COLORS = {color: '' for color in _COLORS}
_NINJA_REQUIRED_VERSION = '1.8.2'
_MESON_REQUIRED_VERSION = '0.63.3' # keep in sync with the version requirement in pyproject.toml
class _depstr:
"""Namespace that holds the requirement strings for dependencies we *might*
need at runtime. Having them in one place makes it easier to update.
"""
patchelf = 'patchelf >= 0.11.0'
ninja = f'ninja >= {_NINJA_REQUIRED_VERSION}'
def _init_colors() -> Dict[str, str]:
"""Detect if we should be using colors in the output. We will enable colors
if running in a TTY, and no environment variable overrides it. Setting the
NO_COLOR (https://no-color.org/) environment variable force-disables colors,
and FORCE_COLOR forces color to be used, which is useful for thing like
Github actions.
"""
if 'NO_COLOR' in os.environ:
if 'FORCE_COLOR' in os.environ:
warnings.warn(
'Both NO_COLOR and FORCE_COLOR environment variables are set, disabling color',
stacklevel=1,
)
return _NO_COLORS
elif 'FORCE_COLOR' in os.environ or sys.stdout.isatty():
return _COLORS
return _NO_COLORS
_STYLES = _init_colors() # holds the color values, should be _COLORS or _NO_COLORS
_EXTENSION_SUFFIXES = importlib.machinery.EXTENSION_SUFFIXES.copy()
_EXTENSION_SUFFIX_REGEX = re.compile(r'^\.(?:(?P<abi>[^.]+)\.)?(?:so|pyd|dll)$')
assert all(re.match(_EXTENSION_SUFFIX_REGEX, x) for x in _EXTENSION_SUFFIXES)
_REQUIREMENT_NAME_REGEX = re.compile(r'^(?P<name>[A-Za-z0-9][A-Za-z0-9-_.]+)')
# Maps wheel installation paths to Meson installation path placeholders.
# See https://docs.python.org/3/library/sysconfig.html#installation-paths
_SCHEME_MAP = {
'scripts': ('{bindir}',),
'purelib': ('{py_purelib}',),
'platlib': ('{py_platlib}', '{moduledir_shared}'),
'headers': ('{includedir}',),
'data': ('{datadir}',),
# our custom location
'mesonpy-libs': ('{libdir}', '{libdir_shared}')
}
def _map_meson_destination(destination: str) -> Tuple[str, pathlib.Path]:
"""Map a Meson installation path to a wheel installation location.
Return a (wheel path identifier, subpath inside the wheel path) tuple.
"""
parts = pathlib.Path(destination).parts
for folder, placeholders in _SCHEME_MAP.items():
if parts[0] in placeholders:
return folder, pathlib.Path(*parts[1:])
raise BuildError(f'Could not map installation path to an equivalent wheel directory: {destination!r}')
def _map_to_wheel(sources: Dict[str, Dict[str, Any]]) -> DefaultDict[str, List[Tuple[pathlib.Path, str]]]:
"""Map files to the wheel, organized by wheel installation directrory."""
wheel_files = collections.defaultdict(list)
for group in sources.values():
for src, target in group.items():
directory, path = _map_meson_destination(target['destination'])
if directory is not None:
wheel_files[directory].append((path, src))
return wheel_files
def _showwarning(
message: Union[Warning, str],
category: Type[Warning],
filename: str,
lineno: int,
file: Optional[TextIO] = None,
line: Optional[str] = None,
) -> None: # pragma: no cover
"""Callable to override the default warning handler, to have colored output."""
print('{yellow}meson-python: warning:{reset} {}'.format(message, **_STYLES))
def _setup_cli() -> None:
"""Setup CLI stuff (eg. handlers, hooks, etc.). Should only be called when
actually we are in control of the CLI, not on a normal import.
"""
warnings.showwarning = _showwarning
try: # pragma: no cover
import colorama
except ModuleNotFoundError: # pragma: no cover
pass
else: # pragma: no cover
colorama.init() # fix colors on windows
class Error(RuntimeError):
def __str__(self) -> str:
return str(self.args[0])
class ConfigError(Error):
"""Error in the backend configuration."""
class BuildError(Error):
"""Error when building the wheel."""
class MesonBuilderError(Error):
"""Error when building the Meson package."""
class _WheelBuilder():
"""Helper class to build wheels from projects."""
def __init__(
self,
project: Project,
source_dir: pathlib.Path,
build_dir: pathlib.Path,
sources: Dict[str, Dict[str, Any]],
build_time_pins_templates: List[str],
) -> None:
self._project = project
self._source_dir = source_dir
self._build_dir = build_dir
self._sources = sources
self._build_time_pins = build_time_pins_templates
self._libs_build_dir = self._build_dir / 'mesonpy-wheel-libs'
@cached_property
def _wheel_files(self) -> DefaultDict[str, List[Tuple[pathlib.Path, str]]]:
return _map_to_wheel(self._sources)
@property
def _has_internal_libs(self) -> bool:
return bool(self._wheel_files['mesonpy-libs'])
@property
def _has_extension_modules(self) -> bool:
# Assume that all code installed in {platlib} is Python ABI dependent.
return bool(self._wheel_files['platlib'])
@property
def normalized_name(self) -> str:
return self._project.name.replace('-', '_')
@property
def basename(self) -> str:
"""Normalized wheel name and version (eg. meson_python-1.0.0)."""
return '{distribution}-{version}'.format(
distribution=self.normalized_name,
version=self._project.version,
)
@property
def tag(self) -> mesonpy._tags.Tag:
"""Wheel tags."""
if self.is_pure:
return mesonpy._tags.Tag('py3', 'none', 'any')
if not self._has_extension_modules:
# The wheel has platform dependent code (is not pure) but
# does not contain any extension module (does not
# distribute any file in {platlib}) thus use generic
# implementation and ABI tags.
return mesonpy._tags.Tag('py3', 'none', None)
return mesonpy._tags.Tag(None, self._stable_abi, None)
@property
def name(self) -> str:
"""Wheel name, this includes the basename and tag."""
return '{basename}-{tag}'.format(
basename=self.basename,
tag=self.tag,
)
@property
def distinfo_dir(self) -> str:
return f'{self.basename}.dist-info'
@property
def data_dir(self) -> str:
return f'{self.basename}.data'
@cached_property
def is_pure(self) -> bool:
"""Is the wheel "pure" (architecture independent)?"""
# XXX: I imagine some users might want to force the package to be
# non-pure, but I think it's better that we evaluate use-cases as they
# arise and make sure allowing the user to override this is indeed the
# best option for the use-case.
if self._wheel_files['platlib']:
return False
for _, file in self._wheel_files['scripts']:
if self._is_native(file):
return False
return True
@property
def wheel(self) -> bytes:
"""Return WHEEL file for dist-info."""
return textwrap.dedent('''
Wheel-Version: 1.0
Generator: meson
Root-Is-Purelib: {is_purelib}
Tag: {tag}
''').strip().format(
is_purelib='true' if self.is_pure else 'false',
tag=self.tag,
).encode()
@property
def entrypoints_txt(self) -> bytes:
"""dist-info entry_points.txt."""
if not self._project.metadata:
return b''
data = self._project.metadata.entrypoints.copy()
data.update({
'console_scripts': self._project.metadata.scripts,
'gui_scripts': self._project.metadata.gui_scripts,
})
text = ''
for entrypoint in data:
if data[entrypoint]:
text += f'[{entrypoint}]\n'
for name, target in data[entrypoint].items():
text += f'{name} = {target}\n'
text += '\n'
return text.encode()
@cached_property
def _stable_abi(self) -> Optional[str]:
"""Determine stabe ABI compatibility.
Examine all files installed in {platlib} that look like
extension modules (extension .pyd on Windows, .dll on Cygwin,
and .so on other platforms) and, if they all share the same
PEP 3149 filename stable ABI tag, return it.
Other files are ignored.
"""
soext = sorted(_EXTENSION_SUFFIXES, key=len)[0]
abis = []
for path, _ in self._wheel_files['platlib']:
# NOTE: When searching for shared objects files, we assume the host
# and build machines have the same soext, even though that we might
# be cross compiling.
if path.suffix == soext:
match = re.match(r'^[^.]+(.*)$', path.name)
assert match is not None
suffix = match.group(1)
match = _EXTENSION_SUFFIX_REGEX.match(suffix)
if match:
abis.append(match.group('abi'))
stable = [x for x in abis if x and re.match(r'abi\d+', x)]
if len(stable) > 0 and len(stable) == len(abis) and all(x == stable[0] for x in stable[1:]):
return stable[0]
return None
@property
def top_level_modules(self) -> Collection[str]:
modules = set()
for type_ in self._wheel_files:
for path, _ in self._wheel_files[type_]:
top_part = path.parts[0]
# file module
if top_part.endswith('.py'):
modules.add(top_part[:-3])
else:
# native module
for extension in _EXTENSION_SUFFIXES:
if top_part.endswith(extension):
modules.add(top_part[:-len(extension)])
# XXX: We assume the order in _EXTENSION_SUFFIXES
# goes from more specific to last, so we go
# with the first match we find.
break
else: # nobreak
# skip Windows import libraries
if top_part.endswith('.a'):
continue
# package module
modules.add(top_part)
return modules
def _is_native(self, file: Union[str, pathlib.Path]) -> bool:
"""Check if file is a native file."""
self._project.build() # the project needs to be built for this :/
with open(file, 'rb') as f:
if platform.system() == 'Linux':
return f.read(4) == b'\x7fELF' # ELF
elif platform.system() == 'Darwin':
return f.read(4) in (
b'\xfe\xed\xfa\xce', # 32-bit
b'\xfe\xed\xfa\xcf', # 64-bit
b'\xcf\xfa\xed\xfe', # arm64
b'\xca\xfe\xba\xbe', # universal / fat (same as java class so beware!)
)
elif platform.system() == 'Windows':
return f.read(2) == b'MZ'
# For unknown platforms, check for file extensions.
_, ext = os.path.splitext(file)
if ext in ('.so', '.a', '.out', '.exe', '.dll', '.dylib', '.pyd'):
return True
return False
def _install_path(
self,
wheel_file: mesonpy._wheelfile.WheelFile,
counter: mesonpy._util.CLICounter,
origin: Path,
destination: pathlib.Path,
) -> None:
""""Install" file or directory into the wheel
and do the necessary processing before doing so.
Some files might need to be fixed up to set the RPATH to the internal
library directory on Linux wheels for eg.
"""
location = destination.as_posix()
counter.update(location)
# fix file
if os.path.isdir(origin):
for root, dirnames, filenames in os.walk(str(origin)):
# Sort the directory names so that `os.walk` will walk them in a
# defined order on the next iteration.
dirnames.sort()
for name in sorted(filenames):
path = os.path.normpath(os.path.join(root, name))
if os.path.isfile(path):
arcname = os.path.join(destination, os.path.relpath(path, origin).replace(os.path.sep, '/'))
wheel_file.write(path, arcname)
else:
if self._has_internal_libs:
if platform.system() == 'Linux' or platform.system() == 'Darwin':
# add .mesonpy.libs to the RPATH of ELF files
if self._is_native(os.fspath(origin)):
# copy ELF to our working directory to avoid Meson having to regenerate the file
new_origin = self._libs_build_dir / pathlib.Path(origin).relative_to(self._build_dir)
os.makedirs(new_origin.parent, exist_ok=True)
shutil.copy2(origin, new_origin)
origin = new_origin
# add our in-wheel libs folder to the RPATH
if platform.system() == 'Linux':
elf = mesonpy._elf.ELF(origin)
libdir_path = \
f'$ORIGIN/{os.path.relpath(f".{self._project.name}.mesonpy.libs", destination.parent)}'
if libdir_path not in elf.rpath:
elf.rpath = [*elf.rpath, libdir_path]
elif platform.system() == 'Darwin':
dylib = mesonpy._dylib.Dylib(origin)
libdir_path = \
f'@loader_path/{os.path.relpath(f".{self._project.name}.mesonpy.libs", destination.parent)}'
if libdir_path not in dylib.rpath:
dylib.rpath = [*dylib.rpath, libdir_path]
else:
# Internal libraries are currently unsupported on this platform
raise NotImplementedError("Bundling libraries in wheel is not supported on platform '{}'"
.format(platform.system()))
wheel_file.write(origin, location)
def _wheel_write_metadata(self, whl: mesonpy._wheelfile.WheelFile) -> None:
# copute dynamic dependencies
metadata = copy.copy(self._project.metadata)
metadata.dependencies = _compute_build_time_dependencies(metadata.dependencies, self._build_time_pins)
# add metadata
whl.writestr(f'{self.distinfo_dir}/METADATA', bytes(metadata.as_rfc822()))
whl.writestr(f'{self.distinfo_dir}/WHEEL', self.wheel)
if self.entrypoints_txt:
whl.writestr(f'{self.distinfo_dir}/entry_points.txt', self.entrypoints_txt)
# add license (see https://github.com/mesonbuild/meson-python/issues/88)
if self._project.license_file:
whl.write(
self._source_dir / self._project.license_file,
f'{self.distinfo_dir}/{os.path.basename(self._project.license_file)}',
)
def build(self, directory: Path) -> pathlib.Path:
self._project.build() # ensure project is built
wheel_file = pathlib.Path(directory, f'{self.name}.whl')
with mesonpy._wheelfile.WheelFile(wheel_file, 'w') as whl:
self._wheel_write_metadata(whl)
print('{light_blue}{bold}Copying files to wheel...{reset}'.format(**_STYLES))
with mesonpy._util.cli_counter(
len(list(itertools.chain.from_iterable(self._wheel_files.values()))),
) as counter:
# install root scheme files
root_scheme = 'purelib' if self.is_pure else 'platlib'
for destination, origin in self._wheel_files[root_scheme]:
self._install_path(whl, counter, origin, destination)
# install bundled libraries
for destination, origin in self._wheel_files['mesonpy-libs']:
destination = pathlib.Path(f'.{self._project.name}.mesonpy.libs', destination)
self._install_path(whl, counter, origin, destination)
# install the other schemes
for scheme in _SCHEME_MAP:
if scheme in (root_scheme, 'mesonpy-libs'):
continue
for destination, origin in self._wheel_files[scheme]:
destination = pathlib.Path(self.data_dir, scheme, destination)
self._install_path(whl, counter, origin, destination)
return wheel_file
def build_editable(self, directory: Path, verbose: bool = False) -> pathlib.Path:
self._project.build() # ensure project is built
wheel_file = pathlib.Path(directory, f'{self.name}.whl')
with mesonpy._wheelfile.WheelFile(wheel_file, 'w') as whl:
self._wheel_write_metadata(whl)
whl.writestr(
f'{self.distinfo_dir}/direct_url.json',
self._source_dir.as_uri().encode('utf-8'),
)
# install loader module
loader_module_name = f'_{self.normalized_name.replace(".", "_")}_editable_loader'
build_cmd = [self._project._ninja, *self._project._meson_args['compile']]
whl.writestr(
f'{loader_module_name}.py',
read_binary('mesonpy', '_editable.py') + textwrap.dedent(f'''
install(
{self.top_level_modules!r},
{os.fspath(self._build_dir)!r},
{build_cmd},
{verbose!r},
)''').encode('utf-8'))
# install .pth file
whl.writestr(
f'{self.normalized_name}-editable.pth',
f'import {loader_module_name}'.encode('utf-8'))
return wheel_file
def _validate_pyproject_config(pyproject: Dict[str, Any]) -> Dict[str, Any]:
def _table(scheme: Dict[str, Callable[[Any, str], Any]]) -> Callable[[Any, str], Dict[str, Any]]:
def func(value: Any, name: str) -> Dict[str, Any]:
if not isinstance(value, dict):
raise ConfigError(f'Configuration entry "{name}" must be a table')
table = {}
for key, val in value.items():
check = scheme.get(key)
if check is None:
raise ConfigError(f'Unknown configuration entry "{name}.{key}"')
table[key] = check(val, f'{name}.{key}')
return table
return func
def _strings(value: Any, name: str) -> List[str]:
if not isinstance(value, list) or not all(isinstance(x, str) for x in value):
raise ConfigError(f'Configuration entry "{name}" must be a list of strings')
return value
scheme = _table({
'args': _table({
name: _strings for name in _MESON_ARGS_KEYS
}),
'dependencies': _strings,
'build-time-pins': _strings,
})
table = pyproject.get('tool', {}).get('meson-python', {})
return scheme(table, 'tool.meson-python')
def _validate_config_settings(config_settings: Dict[str, Any]) -> Dict[str, Any]:
"""Validate options received from build frontend."""
def _string(value: Any, name: str) -> str:
if not isinstance(value, str):
raise ConfigError(f'Only one value for "{name}" can be specified')
return value
def _bool(value: Any, name: str) -> bool:
return True
def _string_or_strings(value: Any, name: str) -> List[str]:
return list([value,] if isinstance(value, str) else value)
options = {
'builddir': _string,
'editable-verbose': _bool,
'dist-args': _string_or_strings,
'setup-args': _string_or_strings,
'compile-args': _string_or_strings,
'install-args': _string_or_strings,
}
assert all(f'{name}-args' in options for name in _MESON_ARGS_KEYS)
config = {}
for key, value in config_settings.items():
parser = options.get(key)
if parser is None:
matches = difflib.get_close_matches(key, options.keys(), n=2)
if matches:
alternatives = ' or '.join(f'"{match}"' for match in matches)
raise ConfigError(f'Unknown option "{key}". Did you mean {alternatives}?')
else:
raise ConfigError(f'Unknown option "{key}"')
config[key] = parser(value, key)
return config
def _validate_metadata(metadata: pyproject_metadata.StandardMetadata) -> None:
"""Validate package metadata."""
allowed_dynamic_fields = [
'dependencies',
'version',
]
# check for unsupported dynamic fields
unsupported_dynamic = {key for key in metadata.dynamic if key not in allowed_dynamic_fields}
if unsupported_dynamic:
s = ', '.join(f'"{x}"' for x in unsupported_dynamic)
raise ConfigError(f'unsupported dynamic metadata fields: {s}')
# check if we are running on an unsupported interpreter
if metadata.requires_python:
metadata.requires_python.prereleases = True
if platform.python_version().rstrip('+') not in metadata.requires_python:
raise ConfigError(f'building with Python {platform.python_version()}, version {metadata.requires_python} required')
def _compute_build_time_dependencies(
dependencies: List[packaging.requirements.Requirement],
pins: List[str]) -> List[packaging.requirements.Requirement]:
for template in pins:
match = _REQUIREMENT_NAME_REGEX.match(template)
if not match:
raise ConfigError(f'invalid requirement format in "build-time-pins": {template!r}')
name = match.group(1)
try:
version = packaging.version.parse(importlib_metadata.version(name))
except importlib_metadata.PackageNotFoundError as exc:
raise ConfigError(f'package "{name}" specified in "build-time-pins" not found: {template!r}') from exc
if version.is_devrelease or version.is_prerelease:
print('meson-python: build-time pin for pre-release version "{version}" of "{name}" not generared: {template!r}')
continue
pin = packaging.requirements.Requirement(template.format(v=version))
if pin.marker:
raise ConfigError(f'requirements in "build-time-pins" cannot contain markers: {template!r}')
if pin.extras:
raise ConfigError(f'requirements in "build-time-pins" cannot contain extras: {template!r}')
added = False
for d in dependencies:
if d.name == name:
d.specifier = d.specifier & pin.specifier
added = True
if not added:
dependencies.append(pin)
return dependencies
class Project():
"""Meson project wrapper to generate Python artifacts."""
def __init__( # noqa: C901
self,
source_dir: Path,
working_dir: Path,
build_dir: Optional[Path] = None,
meson_args: Optional[MesonArgs] = None,
editable_verbose: bool = False,
) -> None:
self._source_dir = pathlib.Path(source_dir).absolute()
self._working_dir = pathlib.Path(working_dir).absolute()
self._build_dir = pathlib.Path(build_dir).absolute() if build_dir else (self._working_dir / 'build')
self._editable_verbose = editable_verbose
self._install_dir = self._working_dir / 'install'
self._meson_native_file = self._build_dir / 'meson-python-native-file.ini'
self._meson_cross_file = self._build_dir / 'meson-python-cross-file.ini'
self._meson_args: MesonArgs = collections.defaultdict(list)
self._env = os.environ.copy()
self._build_time_pins = []
_check_meson_version()
self._ninja = _env_ninja_command()
if self._ninja is None:
raise ConfigError(f'Could not find ninja version {_NINJA_REQUIRED_VERSION} or newer.')
self._env.setdefault('NINJA', self._ninja)
# setuptools-like ARCHFLAGS environment variable support
if sysconfig.get_platform().startswith('macosx-'):
archflags = self._env.get('ARCHFLAGS', '').strip()
if archflags:
arch, *other = filter(None, (x.strip() for x in archflags.split('-arch')))
if other:
raise ConfigError(f'Multi-architecture builds are not supported but $ARCHFLAGS={archflags!r}')
macver, _, nativearch = platform.mac_ver()
if arch != nativearch:
x = self._env.setdefault('_PYTHON_HOST_PLATFORM', f'macosx-{macver}-{arch}')
if not x.endswith(arch):
raise ConfigError(f'$ARCHFLAGS={archflags!r} and $_PYTHON_HOST_PLATFORM={x!r} do not agree')
family = 'aarch64' if arch == 'arm64' else arch
cross_file_data = textwrap.dedent(f'''
[binaries]
c = ['cc', '-arch', {arch!r}]
cpp = ['c++', '-arch', {arch!r}]
[host_machine]
system = 'Darwin'
cpu = {arch!r}
cpu_family = {family!r}
endian = 'little'
''')
self._meson_cross_file.write_text(cross_file_data)
self._meson_args['setup'].extend(('--cross-file', os.fspath(self._meson_cross_file)))
# load pyproject.toml
pyproject = tomllib.loads(self._source_dir.joinpath('pyproject.toml').read_text())
# load meson args from pyproject.toml
pyproject_config = _validate_pyproject_config(pyproject)
for key, value in pyproject_config.get('args', {}).items():
self._meson_args[key].extend(value)
# meson arguments from the command line take precedence over
# arguments from the configuration file thus are added later
if meson_args:
for key, value in meson_args.items():
self._meson_args[key].extend(value)
# make sure the build dir exists
self._build_dir.mkdir(exist_ok=True, parents=True)
self._install_dir.mkdir(exist_ok=True, parents=True)
# write the native file
native_file_data = textwrap.dedent(f'''
[binaries]
python = '{sys.executable}'
''')
self._meson_native_file.write_text(native_file_data)
# reconfigure if we have a valid Meson build directory. Meson
# uses the presence of the 'meson-private/coredata.dat' file
# in the build directory as indication that the build
# directory has already been configured and arranges this file
# to be created as late as possible or deleted if something
# goes wrong during setup.
reconfigure = self._build_dir.joinpath('meson-private/coredata.dat').is_file()
# run meson setup
self._configure(reconfigure=reconfigure)
# package metadata
if 'project' in pyproject:
self._metadata = pyproject_metadata.StandardMetadata.from_pyproject(pyproject, self._source_dir)
else:
self._metadata = pyproject_metadata.StandardMetadata(
name=self._meson_name, version=packaging.version.Version(self._meson_version))
print(
'{yellow}{bold}! Using Meson to generate the project metadata '
'(no `project` section in pyproject.toml){reset}'.format(**_STYLES)
)
_validate_metadata(self._metadata)
# set version from meson.build if dynamic
if 'version' in self._metadata.dynamic:
self._metadata.version = packaging.version.Version(self._meson_version)
# set base dependencie if dynamic
if 'dependencies' in self._metadata.dynamic:
dependencies = [packaging.requirements.Requirement(d) for d in pyproject_config.get('dependencies', [])]
self._metadata.dependencies = dependencies
self._metadata.dynamic.remove('dependencies')
self._build_time_pins = pyproject_config.get('build-time-pins', [])
def _run(self, cmd: Sequence[str]) -> None:
"""Invoke a subprocess."""
print('{cyan}{bold}+ {}{reset}'.format(' '.join(cmd), **_STYLES))
r = subprocess.run(cmd, env=self._env, cwd=self._build_dir)
if r.returncode != 0:
raise SystemExit(r.returncode)
def _configure(self, reconfigure: bool = False) -> None:
"""Configure Meson project."""
sys_paths = mesonpy._introspection.SYSCONFIG_PATHS
setup_args = [
f'--prefix={sys.base_prefix}',
os.fspath(self._source_dir),
os.fspath(self._build_dir),
f'--native-file={os.fspath(self._meson_native_file)}',
# TODO: Allow configuring these arguments
'-Ddebug=false',
'-Db_ndebug=if-release',
'-Doptimization=2',
# XXX: This should not be needed, but Meson is using the wrong paths
# in some scenarios, like on macOS.
# https://github.com/mesonbuild/meson-python/pull/87#discussion_r1047041306
'--python.purelibdir',
sys_paths['purelib'],
'--python.platlibdir',
sys_paths['platlib'],
# user args
*self._meson_args['setup'],
]
if reconfigure:
setup_args.insert(0, '--reconfigure')
self._run(['meson', 'setup', *setup_args])
@cached_property
def _wheel_builder(self) -> _WheelBuilder:
return _WheelBuilder(
self,
self._source_dir,
self._build_dir,
self._install_plan,
self._build_time_pins,
)
def build_commands(self, install_dir: Optional[pathlib.Path] = None) -> Sequence[Sequence[str]]:
assert self._ninja is not None # help mypy out
return (
(self._ninja, *self._meson_args['compile'],),
(
'meson',
'install',
'--only-changed',
'--destdir',
os.fspath(install_dir or self._install_dir),
*self._meson_args['install'],
),
)
@functools.lru_cache(maxsize=None)
def build(self) -> None:
"""Trigger the Meson build."""
for cmd in self.build_commands():
self._run(cmd)
@classmethod
@contextlib.contextmanager
def with_temp_working_dir(
cls,
source_dir: Path = os.path.curdir,
build_dir: Optional[Path] = None,
meson_args: Optional[MesonArgs] = None,
editable_verbose: bool = False,
) -> Iterator[Project]:
"""Creates a project instance pointing to a temporary working directory."""
with tempfile.TemporaryDirectory(prefix='.mesonpy-', dir=os.fspath(source_dir)) as tmpdir:
yield cls(source_dir, tmpdir, build_dir, meson_args, editable_verbose)
@functools.lru_cache()
def _info(self, name: str) -> Dict[str, Any]:
"""Read info from meson-info directory."""
file = self._build_dir.joinpath('meson-info', f'{name}.json')
return typing.cast(
Dict[str, str],
json.loads(file.read_text())
)
@property
def _install_plan(self) -> Dict[str, Dict[str, Dict[str, str]]]:
"""Meson install_plan metadata."""
# copy the install plan so we can modify it
install_plan = self._info('intro-install_plan').copy()
# parse install args for install tags (--tags)
parser = argparse.ArgumentParser()
parser.add_argument('--tags')
args, _ = parser.parse_known_args(self._meson_args['install'])
# filter the install_plan for files that do not fit the install tags
if args.tags:
install_tags = args.tags.split(',')
for files in install_plan.values():
for file, details in list(files.items()):
if details['tag'].strip() not in install_tags:
del files[file]
return install_plan
@property
def _meson_name(self) -> str:
"""Name in meson.build."""
name = self._info('intro-projectinfo')['descriptive_name']
assert isinstance(name, str)
return name
@property
def _meson_version(self) -> str:
"""Version in meson.build."""
name = self._info('intro-projectinfo')['version']
assert isinstance(name, str)
return name
@property
def name(self) -> str:
"""Project name."""
return str(self._metadata.name).replace('-', '_')
@property
def version(self) -> str:
"""Project version."""
return str(self._metadata.version)
@property
def metadata(self) -> pyproject_metadata.StandardMetadata:
"""Project metadata."""
return self._metadata
@property
def license_file(self) -> Optional[pathlib.Path]:
if self._metadata:
license_ = self._metadata.license
if license_ and license_.file:
return pathlib.Path(license_.file)
return None
@property
def is_pure(self) -> bool:
"""Is the wheel "pure" (architecture independent)?"""
return bool(self._wheel_builder.is_pure)
def sdist(self, directory: Path) -> pathlib.Path:
"""Generates a sdist (source distribution) in the specified directory."""
# generate meson dist file
self._run(['meson', 'dist', '--allow-dirty', '--no-tests', '--formats', 'gztar', *self._meson_args['dist']])
# move meson dist file to output path
dist_name = f'{self.name}-{self.version}'
meson_dist_name = f'{self._meson_name}-{self._meson_version}'
meson_dist_path = pathlib.Path(self._build_dir, 'meson-dist', f'{meson_dist_name}.tar.gz')
sdist = pathlib.Path(directory, f'{dist_name}.tar.gz')
with tarfile.open(meson_dist_path, 'r:gz') as meson_dist, mesonpy._util.create_targz(sdist) as (tar, mtime):
for member in meson_dist.getmembers():
# calculate the file path in the source directory
assert member.name, member.name
member_parts = member.name.split('/')
if len(member_parts) <= 1:
continue
path = self._source_dir.joinpath(*member_parts[1:])
if not path.exists() and member.isfile():
# File doesn't exists on the source directory but exists on
# the Meson dist, so it is generated file, which we need to
# include.
# See https://mesonbuild.com/Reference-manual_builtin_meson.html#mesonadd_dist_script
# MESON_DIST_ROOT could have a different base name
# than the actual sdist basename, so we need to rename here
file = meson_dist.extractfile(member.name)
member.name = str(pathlib.Path(dist_name, *member_parts[1:]).as_posix())
tar.addfile(member, file)
continue
if not path.is_file():
continue
info = tarfile.TarInfo(member.name)
file_stat = os.stat(path)
info.size = file_stat.st_size
info.mode = int(oct(file_stat.st_mode)[-3:], 8)
# rewrite the path if necessary, to match the sdist distribution name
if dist_name != meson_dist_name:
info.name = pathlib.Path(
dist_name,
path.relative_to(self._source_dir)
).as_posix()
with path.open('rb') as f: