-
-
Notifications
You must be signed in to change notification settings - Fork 2
/
federated_extensions.py
485 lines (399 loc) · 16.7 KB
/
federated_extensions.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
"""Utilities for installing Javascript extensions for the notebook"""
# Copyright (c) Jupyter Development Team.
# Distributed under the terms of the Modified BSD License.
import importlib
import json
import os
import os.path as osp
import platform
import shutil
import subprocess
import sys
from pathlib import Path
try:
from importlib.metadata import PackageNotFoundError, version
except ImportError:
from importlib_metadata import PackageNotFoundError, version
from os.path import basename, normpath
from os.path import join as pjoin
from jupyter_core.paths import ENV_JUPYTER_PATH, SYSTEM_JUPYTER_PATH, jupyter_data_dir
from jupyter_core.utils import ensure_dir_exists
from jupyter_server.extension.serverextension import ArgumentConflict
from .federated_extensions_requirements import get_federated_extensions
try:
from tomllib import load # Python 3.11+
except ImportError:
from tomli import load
from .commands import _test_overlap
from .core_path import default_core_path
DEPRECATED_ARGUMENT = object()
HERE = osp.abspath(osp.dirname(__file__))
# ------------------------------------------------------------------------------
# Public API
# ------------------------------------------------------------------------------
def develop_labextension( # noqa
path,
symlink=True,
overwrite=False,
user=False,
labextensions_dir=None,
destination=None,
logger=None,
sys_prefix=False,
):
"""Install a prebuilt extension for JupyterLab
Stages files and/or directories into the labextensions directory.
By default, this compares modification time, and only stages files that need updating.
If `overwrite` is specified, matching files are purged before proceeding.
Parameters
----------
path : path to file, directory, zip or tarball archive, or URL to install
By default, the file will be installed with its base name, so '/path/to/foo'
will install to 'labextensions/foo'. See the destination argument below to change this.
Archives (zip or tarballs) will be extracted into the labextensions directory.
user : bool [default: False]
Whether to install to the user's labextensions directory.
Otherwise do a system-wide install (e.g. /usr/local/share/jupyter/labextensions).
overwrite : bool [default: False]
If True, always install the files, regardless of what may already be installed.
symlink : bool [default: True]
If True, create a symlink in labextensions, rather than copying files.
Windows support for symlinks requires a permission bit which only admin users
have by default, so don't rely on it.
labextensions_dir : str [optional]
Specify absolute path of labextensions directory explicitly.
destination : str [optional]
name the labextension is installed to. For example, if destination is 'foo', then
the source file will be installed to 'labextensions/foo', regardless of the source name.
logger : Jupyter logger [optional]
Logger instance to use
"""
# the actual path to which we eventually installed
full_dest = None
labext = _get_labextension_dir(
user=user, sys_prefix=sys_prefix, labextensions_dir=labextensions_dir
)
# make sure labextensions dir exists
ensure_dir_exists(labext)
if isinstance(path, (list, tuple)):
msg = "path must be a string pointing to a single extension to install; call this function multiple times to install multiple extensions" # noqa: E501
raise TypeError(msg)
if not destination:
destination = basename(normpath(path))
full_dest = normpath(pjoin(labext, destination))
if overwrite and os.path.lexists(full_dest):
if logger:
logger.info("Removing: %s", full_dest)
if os.path.isdir(full_dest) and not os.path.islink(full_dest):
shutil.rmtree(full_dest)
else:
os.remove(full_dest)
# Make sure the parent directory exists
os.makedirs(os.path.dirname(full_dest), exist_ok=True)
if symlink:
path = os.path.abspath(path)
if not os.path.exists(full_dest):
if logger:
logger.info(f"Symlinking: {full_dest} -> {path}")
try:
os.symlink(path, full_dest)
except OSError as e:
if platform.platform().startswith("Windows"):
msg = (
"Symlinks can be activated on Windows 10 for Python version 3.8 or higher"
" by activating the 'Developer Mode'. That may not be allowed by your administrators.\n" # noqa: E501
"See https://docs.microsoft.com/en-us/windows/apps/get-started/enable-your-device-for-development"
)
raise OSError(msg) from e
raise
elif not os.path.islink(full_dest):
msg = f"{full_dest} exists and is not a symlink"
raise ValueError(msg)
elif os.path.isdir(path):
path = pjoin(os.path.abspath(path), "") # end in path separator
for parent, _, files in os.walk(path):
dest_dir = pjoin(full_dest, parent[len(path) :])
if not os.path.exists(dest_dir):
if logger:
logger.info("Making directory: %s", dest_dir)
os.makedirs(dest_dir)
for file_name in files:
src = pjoin(parent, file_name)
dest_file = pjoin(dest_dir, file_name)
_maybe_copy(src, dest_file, logger=logger)
else:
src = path
_maybe_copy(src, full_dest, logger=logger)
return full_dest
def develop_labextension_py( # noqa: PLR0913
module,
user=False,
sys_prefix=False,
overwrite=True,
symlink=True,
labextensions_dir=None,
logger=None,
):
"""Develop a labextension bundled in a Python package.
Returns a list of installed/updated directories.
See develop_labextension for parameter information."""
m, labexts = _get_labextension_metadata(module)
base_path = os.path.split(m.__file__)[0]
full_dests = []
for labext in labexts:
src = os.path.join(base_path, labext["src"])
dest = labext["dest"]
if logger:
logger.info(f"Installing {src} -> {dest}")
if not os.path.exists(src):
build_labextension(base_path, logger=logger)
full_dest = develop_labextension(
src,
overwrite=overwrite,
symlink=symlink,
user=user,
sys_prefix=sys_prefix,
labextensions_dir=labextensions_dir,
destination=dest,
logger=logger,
)
full_dests.append(full_dest)
return full_dests
def build_labextension( # noqa: PLR0913
path, logger=None, development=False, static_url=None, source_map=False, core_path=None
):
"""Build a labextension in the given path"""
core_path = default_core_path() if core_path is None else str(Path(core_path).resolve())
ext_path = str(Path(path).resolve())
if logger:
logger.info("Building extension in %s", path)
builder = _ensure_builder(ext_path, core_path)
arguments = ["node", builder, "--core-path", core_path, ext_path]
if static_url is not None:
arguments.extend(["--static-url", static_url])
if development:
arguments.append("--development")
if source_map:
arguments.append("--source-map")
subprocess.check_call(arguments, cwd=ext_path) # noqa S603
def watch_labextension( # noqa: PLR0913
path, labextensions_path, logger=None, development=False, source_map=False, core_path=None
):
"""Watch a labextension in a given path"""
core_path = default_core_path() if core_path is None else str(Path(core_path).resolve())
ext_path = str(Path(path).resolve())
if logger:
logger.info("Building extension in %s", path)
# Check to see if we need to create a symlink
federated_extensions = get_federated_extensions(labextensions_path)
with open(pjoin(ext_path, "package.json")) as fid:
ext_data = json.load(fid)
if ext_data["name"] not in federated_extensions:
develop_labextension_py(ext_path, sys_prefix=True)
else:
full_dest = pjoin(federated_extensions[ext_data["name"]]["ext_dir"], ext_data["name"])
output_dir = pjoin(ext_path, ext_data["jupyterlab"].get("outputDir", "static"))
if not osp.islink(full_dest):
shutil.rmtree(full_dest)
os.symlink(output_dir, full_dest)
builder = _ensure_builder(ext_path, core_path)
arguments = ["node", builder, "--core-path", core_path, "--watch", ext_path]
if development:
arguments.append("--development")
if source_map:
arguments.append("--source-map")
subprocess.check_call(arguments, cwd=ext_path) # noqa S603
# ------------------------------------------------------------------------------
# Private API
# ------------------------------------------------------------------------------
def _ensure_builder(ext_path, core_path):
"""Ensure that we can build the extension and return the builder script path"""
# Test for compatible dependency on @jupyterlab/builder
with open(osp.join(core_path, "package.json")) as fid:
core_data = json.load(fid)
with open(osp.join(ext_path, "package.json")) as fid:
ext_data = json.load(fid)
dep_version1 = core_data["devDependencies"]["@jupyterlab/builder"]
dep_version2 = ext_data.get("devDependencies", {}).get("@jupyterlab/builder")
dep_version2 = dep_version2 or ext_data.get("dependencies", {}).get("@jupyterlab/builder")
if dep_version2 is None:
msg = f"Extensions require a devDependency on @jupyterlab/builder@{dep_version1}"
raise ValueError(msg)
# if we have installed from disk (version is a path), assume we know what
# we are doing and do not check versions.
if "/" in dep_version2:
with open(osp.join(ext_path, dep_version2, "package.json")) as fid:
dep_version2 = json.load(fid).get("version")
if not osp.exists(osp.join(ext_path, "node_modules")):
subprocess.check_call(["jlpm"], cwd=ext_path) # noqa S603 S607
# Find @jupyterlab/builder using node module resolution
# We cannot use a script because the script path is a shell script on Windows
target = ext_path
while not osp.exists(osp.join(target, "node_modules", "@jupyterlab", "builder")):
if osp.dirname(target) == target:
msg = "Could not find @jupyterlab/builder"
raise ValueError(msg)
target = osp.dirname(target)
# Check for compatible versions
overlap = _test_overlap(
dep_version1, dep_version2, drop_prerelease1=True, drop_prerelease2=True
)
if not overlap:
with open(
osp.join(target, "node_modules", "@jupyterlab", "builder", "package.json")
) as fid:
dep_version2 = json.load(fid).get("version")
overlap = _test_overlap(
dep_version1, dep_version2, drop_prerelease1=True, drop_prerelease2=True
)
if not overlap:
msg = f"Extensions require a devDependency on @jupyterlab/builder@{dep_version1}, you have a dependency on {dep_version2}" # noqa: E501
raise ValueError(msg)
return osp.join(
target, "node_modules", "@jupyterlab", "builder", "lib", "build-labextension.js"
)
def _should_copy(src, dest, logger=None):
"""Should a file be copied, if it doesn't exist, or is newer?
Returns whether the file needs to be updated.
Parameters
----------
src : string
A path that should exist from which to copy a file
src : string
A path that might exist to which to copy a file
logger : Jupyter logger [optional]
Logger instance to use
"""
if not os.path.exists(dest):
return True
if os.stat(src).st_mtime - os.stat(dest).st_mtime > 1e-6: # noqa
# we add a fudge factor to work around a bug in python 2.x
# that was fixed in python 3.x: https://bugs.python.org/issue12904
if logger:
logger.warning("Out of date: %s", dest)
return True
if logger:
logger.info("Up to date: %s", dest)
return False
def _maybe_copy(src, dest, logger=None):
"""Copy a file if it needs updating.
Parameters
----------
src : string
A path that should exist from which to copy a file
src : string
A path that might exist to which to copy a file
logger : Jupyter logger [optional]
Logger instance to use
"""
if _should_copy(src, dest, logger=logger):
if logger:
logger.info(f"Copying: {src} -> {dest}")
shutil.copy2(src, dest)
def _get_labextension_dir(user=False, sys_prefix=False, prefix=None, labextensions_dir=None):
"""Return the labextension directory specified
Parameters
----------
user : bool [default: False]
Get the user's .jupyter/labextensions directory
sys_prefix : bool [default: False]
Get sys.prefix, i.e. ~/.envs/my-env/share/jupyter/labextensions
prefix : str [optional]
Get custom prefix
labextensions_dir : str [optional]
Get what you put in
"""
conflicting = [
("user", user),
("prefix", prefix),
("labextensions_dir", labextensions_dir),
("sys_prefix", sys_prefix),
]
conflicting_set = [f"{n}={v!r}" for n, v in conflicting if v]
if len(conflicting_set) > 1:
conflict = ", ".join(conflicting_set)
msg = f"cannot specify more than one of user, sys_prefix, prefix, or labextensions_dir, but got: {conflict}" # noqa: E501
raise ArgumentConflict(msg)
if user:
labext = pjoin(jupyter_data_dir(), "labextensions")
elif sys_prefix:
labext = pjoin(ENV_JUPYTER_PATH[0], "labextensions")
elif prefix:
labext = pjoin(prefix, "share", "jupyter", "labextensions")
elif labextensions_dir:
labext = labextensions_dir
else:
labext = pjoin(SYSTEM_JUPYTER_PATH[0], "labextensions")
return labext
def _get_labextension_metadata(module): # noqa
"""Get the list of labextension paths associated with a Python module.
Returns a tuple of (the module path, [{
'src': 'mockextension',
'dest': '_mockdestination'
}])
Parameters
----------
module : str
Importable Python module exposing the
magic-named `_jupyter_labextension_paths` function
"""
mod_path = osp.abspath(module)
if not osp.exists(mod_path):
msg = f"The path `{mod_path}` does not exist."
# breakpoint()
raise FileNotFoundError(msg)
errors = []
# Check if the path is a valid labextension
try:
m = importlib.import_module(module)
if hasattr(m, "_jupyter_labextension_paths"):
return m, m._jupyter_labextension_paths()
except Exception as exc:
errors.append(exc)
# Try to get the package name
package = None
# Try getting the package name from pyproject.toml
if os.path.exists(os.path.join(mod_path, "pyproject.toml")):
with open(os.path.join(mod_path, "pyproject.toml"), "rb") as fid:
data = load(fid)
package = data.get("project", {}).get("name")
# Try getting the package name from setup.py
if not package:
try:
package = (
subprocess.check_output( # noqa: S603
[sys.executable, "setup.py", "--name"],
cwd=mod_path,
)
.decode("utf8")
.strip()
)
except subprocess.CalledProcessError:
msg = (
f"The Python package `{module}` is not a valid package, "
"it is missing the `setup.py` file."
)
raise FileNotFoundError(msg) from None
# Make sure the package is installed
try:
version(package)
except PackageNotFoundError:
subprocess.check_call([sys.executable, "-m", "pip", "install", "-e", mod_path]) # noqa S603
sys.path.insert(0, mod_path)
from setuptools import find_namespace_packages, find_packages
package_candidates = [
package.replace("-", "_"), # Module with the same name as package
]
package_candidates.extend(find_packages(mod_path)) # Packages in the module path
package_candidates.extend(
find_namespace_packages(mod_path)
) # Namespace packages in the module path
for package in package_candidates:
try:
m = importlib.import_module(package)
if hasattr(m, "_jupyter_labextension_paths"):
return m, m._jupyter_labextension_paths()
except Exception as exc:
errors.append(exc)
msg = f"There is no labextension at {module}. Errors encountered: {errors}"
raise ModuleNotFoundError(msg)