-
Notifications
You must be signed in to change notification settings - Fork 3
/
Copy pathupgrade_extension.py
226 lines (186 loc) · 7.79 KB
/
upgrade_extension.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
# Copyright (c) Jupyter Development Team.
# Distributed under the terms of the Modified BSD License.
import json
import os
import os.path as osp
import shutil
import subprocess
import sys
try:
from importlib.resources import files
except ImportError:
from importlib_resources import files
from pathlib import Path
try:
from cookiecutter.main import cookiecutter
except ImportError:
raise RuntimeError("Please install cookiecutter")
DEFAULT_COOKIECUTTER_BRANCH = "3.0"
def update_extension(target, branch=DEFAULT_COOKIECUTTER_BRANCH, interactive=True):
"""Update an extension to the current JupyterLab
target: str
Path to the extension directory containing the extension
branch: str [default: DEFAULT_COOKIECUTTER_BRANCH]
Template branch to checkout
interactive: bool [default: true]
Whether to ask before overwriting content
"""
# Input is a directory with a package.json or the current directory
# Use the cookiecutter as the source
# Pull in the relevant config
# Pull in the Python parts if possible
# Pull in the scripts if possible
target = osp.abspath(target)
package_file = osp.join(target, "package.json")
setup_file = osp.join(target, "setup.py")
if not osp.exists(package_file):
raise RuntimeError("No package.json exists in %s" % target)
# Infer the options from the current directory
with open(package_file) as fid:
data = json.load(fid)
if osp.exists(setup_file):
python_name = (
subprocess.check_output([sys.executable, "setup.py", "--name"], cwd=target)
.decode("utf8")
.strip()
)
else:
python_name = data["name"]
if "@" in python_name:
python_name = python_name[1:].replace("/", "_").replace("-", "_")
output_dir = osp.join(target, "_temp_extension")
if osp.exists(output_dir):
shutil.rmtree(output_dir)
# Build up the cookiecutter args and run the cookiecutter
extra_context = dict(
author_name=data.get("author", "<author_name>"),
labextension_name=data["name"],
project_short_description=data.get("description", "<description>"),
has_server_extension="y" if osp.exists(osp.join(target, "jupyter-config")) else "n",
has_binder="y" if osp.exists(osp.join(target, "binder")) else "n",
repository=data.get("repository", {}).get("url", "<repository"),
python_name=python_name,
)
template = "https://github.com/jupyterlab/extension-cookiecutter-ts"
cookiecutter(
template=template,
checkout=branch,
output_dir=output_dir,
extra_context=extra_context,
no_input=not interactive,
)
python_name = os.listdir(output_dir)[0]
# hoist the output up one level
shutil.move(osp.join(output_dir, python_name), osp.join(output_dir, "_temp"))
for filename in os.listdir(osp.join(output_dir, "_temp")):
shutil.move(osp.join(output_dir, "_temp", filename), osp.join(output_dir, filename))
shutil.rmtree(osp.join(output_dir, "_temp"))
# Check whether there are any phosphor dependencies
has_phosphor = False
for name in ["devDependencies", "dependencies"]:
if name not in data:
continue
for (key, value) in list(data[name].items()):
if key.startswith("@phosphor/"):
has_phosphor = True
data[name][key.replace("@phosphor/", "@lumino/")] = value
for key in list(data[name]):
if key.startswith("@phosphor/"):
del data[name][key]
# From the created package.json grab the devDependencies
with open(osp.join(output_dir, "package.json")) as fid:
temp_data = json.load(fid)
if data.get("devDependencies"):
for (key, value) in temp_data["devDependencies"].items():
data["devDependencies"][key] = value
else:
data["devDependencies"] = temp_data["devDependencies"].copy()
# Ask the user whether to upgrade the scripts automatically
warnings = []
if interactive:
choice = input("overwrite scripts in package.json? [n]: ")
else:
choice = "y"
if choice.upper().startswith("Y"):
warnings.append("Updated scripts in package.json")
data.setdefault("scripts", dict())
for (key, value) in temp_data["scripts"].items():
data["scripts"][key] = value
if "install-ext" in data["scripts"]:
del data["scripts"]["install-ext"]
else:
warnings.append("package.json scripts must be updated manually")
# Set the output directory
data["jupyterlab"]["outputDir"] = temp_data["jupyterlab"]["outputDir"]
# Look for resolutions in JupyterLab metadata and upgrade those as well
root_jlab_package = files("jupyterlab").joinpath("staging/package.json")
with root_jlab_package.open() as fid:
root_jlab_data = json.load(fid)
data.setdefault("dependencies", dict())
data.setdefault("devDependencies", dict())
for (key, value) in root_jlab_data["resolutions"].items():
if key in data["dependencies"]:
data["dependencies"][key] = value.replace("~", "^")
if key in data["devDependencies"]:
data["devDependencies"][key] = value.replace("~", "^")
# Sort the entries
for key in ["scripts", "dependencies", "devDependencies"]:
if data[key]:
data[key] = dict(sorted(data[key].items()))
else:
del data[key]
# Update style settings
data.setdefault("styleModule", "style/index.js")
if isinstance(data.get("sideEffects"), list) and "style/index.js" not in data["sideEffects"]:
data["sideEffects"].append("style/index.js")
if "files" in data and "style/index.js" not in data["files"]:
data["files"].append("style/index.js")
# Update the root package.json file
with open(package_file, "w") as fid:
json.dump(data, fid, indent=2)
# For the other files, ask about whether to override (when it exists)
# At the end, list the files that were: added, overridden, skipped
path = Path(output_dir)
for p in path.rglob("*"):
relpath = osp.relpath(p, path)
if relpath == "package.json":
continue
if p.is_dir():
continue
file_target = osp.join(target, relpath)
if not osp.exists(file_target):
os.makedirs(osp.dirname(file_target), exist_ok=True)
shutil.copy(p, file_target)
else:
with open(p, "rb") as fid:
old_data = fid.read()
with open(file_target, "rb") as fid:
new_data = fid.read()
if old_data == new_data:
continue
if interactive:
choice = input('overwrite "%s"? [n]: ' % relpath)
else:
choice = "n"
if choice.upper().startswith("Y"):
shutil.copy(p, file_target)
else:
warnings.append("skipped _temp_extension/%s" % relpath)
# Print out all warnings
for warning in warnings:
print("**", warning)
print("** Remove _temp_extensions directory when finished")
if has_phosphor:
print(
"** Phosphor dependencies were upgraded to lumino dependencies, update imports as needed"
)
if __name__ == "__main__":
import argparse
parser = argparse.ArgumentParser(description="Upgrade a JupyterLab extension")
parser.add_argument("--no-input", action="store_true", help="whether to prompt for information")
parser.add_argument("path", action="store", type=str, help="the target path")
parser.add_argument(
"--branch", help="the template branch to checkout", default=DEFAULT_COOKIECUTTER_BRANCH
)
args = parser.parse_args()
update_extension(args.path, args.branch, args.no_input is False)