Skip to content

Commit 713fadd

Browse files
[pre-commit.ci] auto fixes from pre-commit.com hooks
for more information, see https://pre-commit.ci
1 parent 0ec08ec commit 713fadd

File tree

14 files changed

+109
-133
lines changed

14 files changed

+109
-133
lines changed

docs/source/api.rst

+1-1
Original file line numberDiff line numberDiff line change
@@ -5,4 +5,4 @@ REST API
55
=============
66

77
.. openapi:: ../../jupyter_server_proxy/api.yml
8-
:examples:
8+
:examples:

jupyter_server_proxy/__init__.py

+4-6
Original file line numberDiff line numberDiff line change
@@ -1,10 +1,10 @@
11
import traitlets
22

3-
from .manager import ServerProxyAppManager
3+
from .api import setup_api_handlers
44
from .config import ServerProxy as ServerProxyConfig
55
from .config import get_entrypoint_server_processes, make_handlers, make_server_process
66
from .handlers import setup_handlers
7-
from .api import setup_api_handlers
7+
from .manager import ServerProxyAppManager
88

99

1010
# Jupyter Extension points
@@ -41,9 +41,7 @@ def _load_jupyter_server_extension(nbapp):
4141
base_url = nbapp.web_app.settings["base_url"]
4242

4343
# Add server_proxy_manager trait to ServerApp and Instantiate a manager
44-
nbapp.add_traits(
45-
server_proxy_manager=traitlets.Instance(ServerProxyAppManager)
46-
)
44+
nbapp.add_traits(server_proxy_manager=traitlets.Instance(ServerProxyAppManager))
4745
manager = nbapp.server_proxy_manager = ServerProxyAppManager()
4846
serverproxy_config = ServerProxyConfig(parent=nbapp)
4947

@@ -52,7 +50,7 @@ def _load_jupyter_server_extension(nbapp):
5250
nbapp.io_loop.call_later(
5351
serverproxy_config.monitor_interval,
5452
manager.monitor,
55-
serverproxy_config.monitor_interval
53+
serverproxy_config.monitor_interval,
5654
)
5755
except AttributeError:
5856
nbapp.log.debug(

jupyter_server_proxy/api.py

+8-9
Original file line numberDiff line numberDiff line change
@@ -61,8 +61,9 @@ async def delete(self, name):
6161
"""Delete a server proxy by name"""
6262
if not name:
6363
raise web.HTTPError(
64-
403, "Please set the name of a running server proxy that "
65-
"user wishes to terminate"
64+
403,
65+
"Please set the name of a running server proxy that "
66+
"user wishes to terminate",
6667
)
6768

6869
try:
@@ -84,10 +85,8 @@ async def get(self, name):
8485
if name:
8586
apps = self.manager.get_server_proxy_app(name)._asdict()
8687
# If no server proxy found this will be a dict with empty values
87-
if not apps['name']:
88-
raise web.HTTPError(
89-
404, f"Server proxy {name} not found"
90-
)
88+
if not apps["name"]:
89+
raise web.HTTPError(404, f"Server proxy {name} not found")
9190
else:
9291
apps = [app._asdict() for app in self.manager.list_server_proxy_apps()]
9392

@@ -121,8 +120,8 @@ def setup_api_handlers(web_app, manager, server_processes):
121120
(
122121
ujoin(base_url, r"server-proxy/api/servers/(?P<name>.*)"),
123122
ServersAPIHandler,
124-
{"manager": manager}
123+
{"manager": manager},
125124
),
126-
] + icon_handlers
125+
]
126+
+ icon_handlers,
127127
)
128-

jupyter_server_proxy/api.yml

-1
Original file line numberDiff line numberDiff line change
@@ -124,4 +124,3 @@ components:
124124
type: string
125125
unix_socket:
126126
type: string
127-

jupyter_server_proxy/config.py

+2-4
Original file line numberDiff line numberDiff line change
@@ -11,11 +11,9 @@
1111
from importlib.metadata import entry_points
1212

1313
from jupyter_server.utils import url_path_join as ujoin
14-
from traitlets import Dict, List, Tuple, Union, Int, default, observe
14+
from traitlets import Dict, Int, List, Tuple, Union, default, observe
1515
from traitlets.config import Configurable
1616

17-
from jupyter_server.utils import url_path_join as ujoin
18-
1917
from .handlers import AddSlashHandler, NamedLocalProxyHandler, SuperviseAndProxyHandler
2018

2119
try:
@@ -351,5 +349,5 @@ def _host_whitelist_deprecated(self, change):
351349
polling the status of running servers with a frequency set by this
352350
interval.
353351
""",
354-
config=True
352+
config=True,
355353
)

jupyter_server_proxy/manager.py

+16-33
Original file line numberDiff line numberDiff line change
@@ -1,35 +1,18 @@
11
"""Manager for jupyter server proxy"""
22

33
import asyncio
4-
54
from collections import namedtuple
65

7-
from traitlets import List, Int
8-
from traitlets.config import LoggingConfigurable
9-
106
from jupyter_server.utils import url_path_join as ujoin
11-
7+
from traitlets import Int, List
8+
from traitlets.config import LoggingConfigurable
129

1310
ServerProxy = namedtuple(
1411
"ServerProxy",
15-
[
16-
"name",
17-
"url",
18-
"cmd",
19-
"port",
20-
"managed",
21-
"unix_socket"
22-
],
23-
defaults=[""] * 6
24-
)
25-
ServerProxyProc = namedtuple(
26-
"ServerProxyProc",
27-
[
28-
"name",
29-
"proc"
30-
],
31-
defaults=[""] * 2
12+
["name", "url", "cmd", "port", "managed", "unix_socket"],
13+
defaults=[""] * 6,
3214
)
15+
ServerProxyProc = namedtuple("ServerProxyProc", ["name", "proc"], defaults=[""] * 2)
3316

3417

3518
class ServerProxyAppManager(LoggingConfigurable):
@@ -38,17 +21,12 @@ class ServerProxyAppManager(LoggingConfigurable):
3821
by jupyter server proxy.
3922
"""
4023

41-
server_proxy_apps = List(
42-
help="List of server proxy apps"
43-
)
24+
server_proxy_apps = List(help="List of server proxy apps")
4425

45-
_server_proxy_procs = List(
46-
help="List of server proxy app proc objects"
47-
)
26+
_server_proxy_procs = List(help="List of server proxy app proc objects")
4827

4928
num_active_server_proxy_apps = Int(
50-
0,
51-
help="Total number of currently running proxy apps"
29+
0, help="Total number of currently running proxy apps"
5230
)
5331

5432
def add_server_proxy_app(self, name, base_url, cmd, port, proc, unix_socket):
@@ -63,7 +41,7 @@ def add_server_proxy_app(self, name, base_url, cmd, port, proc, unix_socket):
6341
cmd=" ".join(cmd),
6442
port=port,
6543
managed=True if proc else False,
66-
unix_socket=unix_socket if unix_socket is not None else ''
44+
unix_socket=unix_socket if unix_socket is not None else "",
6745
)
6846
)
6947

@@ -89,11 +67,16 @@ def del_server_proxy_app(self, name):
8967

9068
def get_server_proxy_app(self, name):
9169
"""Get a given server proxy app"""
92-
return next((app for app in self.server_proxy_apps if app.name == name), ServerProxy())
70+
return next(
71+
(app for app in self.server_proxy_apps if app.name == name), ServerProxy()
72+
)
9373

9474
def _get_server_proxy_proc(self, name):
9575
"""Get a given server proxy app"""
96-
return next((app for app in self._server_proxy_procs if app.name == name), ServerProxyProc())
76+
return next(
77+
(app for app in self._server_proxy_procs if app.name == name),
78+
ServerProxyProc(),
79+
)
9780

9881
def list_server_proxy_apps(self):
9982
"""List all active server proxy apps"""

jupyter_server_proxy/utils.py

-2
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,3 @@
1-
import os
2-
31
from traitlets import TraitType
42

53

+13-13
Original file line numberDiff line numberDiff line change
@@ -1,14 +1,14 @@
11
{
2-
"title": "Jupyter Server Proxy",
3-
"description": "Jupyter Server Proxy Manager settings",
4-
"properties": {
5-
"refreshInterval": {
6-
"type": "number",
7-
"title": "Auto-refresh rate",
8-
"description": "Time to wait (in ms) in between auto refreshes of server proxy applications",
9-
"default": 10000
10-
}
11-
},
12-
"additionalProperties": false,
13-
"type": "object"
14-
}
2+
"title": "Jupyter Server Proxy",
3+
"description": "Jupyter Server Proxy Manager settings",
4+
"properties": {
5+
"refreshInterval": {
6+
"type": "number",
7+
"title": "Auto-refresh rate",
8+
"description": "Time to wait (in ms) in between auto refreshes of server proxy applications",
9+
"default": 10000
10+
}
11+
},
12+
"additionalProperties": false,
13+
"type": "object"
14+
}

labextension/src/index.ts

+14-8
Original file line numberDiff line numberDiff line change
@@ -6,8 +6,8 @@ import {
66
import { ILauncher } from "@jupyterlab/launcher";
77
import { PageConfig, URLExt } from "@jupyterlab/coreutils";
88
import { IRunningSessionManagers } from "@jupyterlab/running";
9-
import { ISettingRegistry } from '@jupyterlab/settingregistry';
10-
import { ITranslator, TranslationBundle } from '@jupyterlab/translation';
9+
import { ISettingRegistry } from "@jupyterlab/settingregistry";
10+
import { ITranslator, TranslationBundle } from "@jupyterlab/translation";
1111
import { IFrame, MainAreaWidget, WidgetTracker } from "@jupyterlab/apputils";
1212
import { ServerProxyManager } from "./manager";
1313
import { IModel as IServerProxyModel } from "./serverproxy";
@@ -48,7 +48,7 @@ function addRunningSessionManager(
4848
managers: IRunningSessionManagers,
4949
app: JupyterFrontEnd,
5050
manager: ServerProxyManager,
51-
trans: TranslationBundle
51+
trans: TranslationBundle,
5252
): void {
5353
managers.add({
5454
name: "Server Proxy Apps",
@@ -59,8 +59,9 @@ function addRunningSessionManager(
5959
shutdownAll: () => manager.shutdownAll(),
6060
refreshRunning: () => manager.refreshRunning(),
6161
runningChanged: manager.runningChanged,
62-
shutdownAllConfirmationText:
63-
trans.__("Are you sure you want to close all server proxy applications?")
62+
shutdownAllConfirmationText: trans.__(
63+
"Are you sure you want to close all server proxy applications?",
64+
),
6465
});
6566
}
6667

@@ -78,15 +79,17 @@ async function activate(
7879
translator: ITranslator,
7980
sessions: IRunningSessionManagers | null,
8081
): Promise<void> {
81-
const trans = translator.load('jupyter-server-proxy');
82+
const trans = translator.load("jupyter-server-proxy");
8283

8384
// Fetch configured server processes from {base_url}/server-proxy/servers-info
8485
const response = await fetch(
8586
URLExt.join(PageConfig.getBaseUrl(), "server-proxy/api/servers-info"),
8687
);
8788
if (!response.ok) {
8889
console.log(
89-
trans.__("Could not fetch metadata about registered servers. Make sure jupyter-server-proxy is installed."),
90+
trans.__(
91+
"Could not fetch metadata about registered servers. Make sure jupyter-server-proxy is installed.",
92+
),
9093
);
9194
console.log(response);
9295
return;
@@ -166,7 +169,10 @@ async function activate(
166169
continue;
167170
}
168171

169-
const url = URLExt.join(PageConfig.getBaseUrl(), server_process.launcher_entry.path_info);
172+
const url = URLExt.join(
173+
PageConfig.getBaseUrl(),
174+
server_process.launcher_entry.path_info,
175+
);
170176
const title = server_process.launcher_entry.title;
171177
const newBrowserTab = server_process.new_browser_tab;
172178
const id = namespace + ":" + server_process.name;

labextension/src/manager.ts

+12-8
Original file line numberDiff line numberDiff line change
@@ -1,8 +1,8 @@
11
import { Signal, ISignal } from "@lumino/signaling";
2-
import { Poll } from '@lumino/polling';
3-
import { ISettingRegistry } from '@jupyterlab/settingregistry';
2+
import { Poll } from "@lumino/polling";
3+
import { ISettingRegistry } from "@jupyterlab/settingregistry";
44
import { ServerConnection } from "@jupyterlab/services";
5-
import { TranslationBundle } from '@jupyterlab/translation';
5+
import { TranslationBundle } from "@jupyterlab/translation";
66
import { listRunning, shutdown } from "./restapi";
77
import * as ServerProxyApp from "./serverproxy";
88

@@ -21,16 +21,18 @@ export class ServerProxyManager implements ServerProxyApp.IManager {
2121
this._settings = settings || null;
2222
this.serverSettings = ServerConnection.makeSettings();
2323

24-
const interval = settings?.get('refreshInterval').composite as number || DEFAULT_REFRESH_INTERVAL;
24+
const interval =
25+
(settings?.get("refreshInterval").composite as number) ||
26+
DEFAULT_REFRESH_INTERVAL;
2527

2628
// Start polling with exponential backoff.
2729
this._proxyPoll = new Poll({
2830
factory: () => this._refreshRunning(),
2931
frequency: {
3032
interval: interval,
3133
backoff: true,
32-
max: 300 * 1000
33-
}
34+
max: 300 * 1000,
35+
},
3436
});
3537

3638
// Fire callback when settings are changed
@@ -107,7 +109,9 @@ export class ServerProxyManager implements ServerProxyApp.IManager {
107109

108110
// Shut down all models.
109111
await Promise.all(
110-
this._names.map((name) => shutdown(name, this._trans, this.serverSettings)),
112+
this._names.map((name) =>
113+
shutdown(name, this._trans, this.serverSettings),
114+
),
111115
);
112116

113117
// Update the list of models to clear out our state.
@@ -169,7 +173,7 @@ export class ServerProxyManager implements ServerProxyApp.IManager {
169173
private _onSettingsChange(settings: ISettingRegistry.ISettings) {
170174
this._proxyPoll.frequency = {
171175
...this._proxyPoll.frequency,
172-
interval: settings.composite.refreshInterval as number
176+
interval: settings.composite.refreshInterval as number,
173177
};
174178
}
175179

labextension/src/restapi.ts

+7-5
Original file line numberDiff line numberDiff line change
@@ -1,7 +1,7 @@
11
import { URLExt } from "@jupyterlab/coreutils";
2-
import { showDialog, Dialog } from '@jupyterlab/apputils';
2+
import { showDialog, Dialog } from "@jupyterlab/apputils";
33
import { ServerConnection } from "@jupyterlab/services";
4-
import { TranslationBundle } from '@jupyterlab/translation';
4+
import { TranslationBundle } from "@jupyterlab/translation";
55
import { IModel } from "./serverproxy";
66

77
/**
@@ -52,12 +52,14 @@ export async function shutdown(
5252
const init = { method: "DELETE" };
5353
const response = await ServerConnection.makeRequest(url, init, settings);
5454
if (response.status === 404) {
55-
const msg = trans.__(`Server proxy "${name}" is not running anymore. It will be removed from this list shortly`);
55+
const msg = trans.__(
56+
`Server proxy "${name}" is not running anymore. It will be removed from this list shortly`,
57+
);
5658
console.warn(msg);
5759
void showDialog({
58-
title: trans.__('Warning'),
60+
title: trans.__("Warning"),
5961
body: msg,
60-
buttons: [Dialog.okButton({ label : 'Dismiss'})],
62+
buttons: [Dialog.okButton({ label: "Dismiss" })],
6163
});
6264
} else if (response.status === 403) {
6365
// This request cannot be made via JupyterLab UI and hence we just throw

labextension/src/running.ts

+2-2
Original file line numberDiff line numberDiff line change
@@ -18,14 +18,14 @@ export class RunningServerProxyApp implements IRunningSessions.IRunningItem {
1818
constructor(
1919
model: IServerProxyModel,
2020
manager: ServerProxyManager,
21-
app: JupyterFrontEnd
21+
app: JupyterFrontEnd,
2222
) {
2323
this._model = model;
2424
this._manager = manager;
2525
this._app = app;
2626
}
2727
open(): void {
28-
this._app.commands.execute(CommandIDs.open, { "sp": this._model });
28+
this._app.commands.execute(CommandIDs.open, { sp: this._model });
2929
}
3030
icon(): LabIcon {
3131
return ServerProxyAppIcon;

labextension/src/serverproxy.ts

+1-1
Original file line numberDiff line numberDiff line change
@@ -34,7 +34,7 @@ export interface IModel extends JSONObject {
3434
/**
3535
* Proxy app managed by jupyter-server-proxy or not.
3636
*/
37-
readonly unix_socket: string;
37+
readonly unix_socket: string;
3838
}
3939

4040
/**

0 commit comments

Comments
 (0)