@depup/wrangler 4.75.0-depup.0

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
Files changed (44) hide show
  1. package/README.md +33 -0
  2. package/bin/wrangler.js +93 -0
  3. package/changes.json +18 -0
  4. package/config-schema.json +3222 -0
  5. package/kv-asset-handler.js +1 -0
  6. package/package.json +221 -0
  7. package/templates/__tests__/pages-dev-util.test.ts +128 -0
  8. package/templates/__tests__/tsconfig-sanity.ts +12 -0
  9. package/templates/__tests__/tsconfig.json +8 -0
  10. package/templates/checked-fetch.js +28 -0
  11. package/templates/facade.d.ts +19 -0
  12. package/templates/middleware/common.ts +67 -0
  13. package/templates/middleware/loader-modules.ts +134 -0
  14. package/templates/middleware/loader-sw.ts +229 -0
  15. package/templates/middleware/middleware-ensure-req-body-drained.ts +18 -0
  16. package/templates/middleware/middleware-miniflare3-json-error.ts +32 -0
  17. package/templates/middleware/middleware-patch-console-prefix.d.ts +3 -0
  18. package/templates/middleware/middleware-patch-console-prefix.ts +21 -0
  19. package/templates/middleware/middleware-pretty-error.ts +40 -0
  20. package/templates/middleware/middleware-scheduled.ts +29 -0
  21. package/templates/modules-watch-stub.js +4 -0
  22. package/templates/new-worker-scheduled.js +17 -0
  23. package/templates/new-worker-scheduled.ts +32 -0
  24. package/templates/new-worker.js +15 -0
  25. package/templates/new-worker.ts +33 -0
  26. package/templates/no-op-worker.js +10 -0
  27. package/templates/pages-dev-pipeline.ts +33 -0
  28. package/templates/pages-dev-util.ts +55 -0
  29. package/templates/pages-shim.ts +9 -0
  30. package/templates/pages-template-plugin.ts +190 -0
  31. package/templates/pages-template-worker.ts +198 -0
  32. package/templates/remoteBindings/ProxyServerWorker.ts +143 -0
  33. package/templates/remoteBindings/wrangler.jsonc +4 -0
  34. package/templates/startDevWorker/InspectorProxyWorker.ts +699 -0
  35. package/templates/startDevWorker/ProxyWorker.ts +340 -0
  36. package/templates/tsconfig-sanity.ts +11 -0
  37. package/templates/tsconfig.init.json +22 -0
  38. package/templates/tsconfig.json +14 -0
  39. package/wrangler-dist/InspectorProxyWorker.js +486 -0
  40. package/wrangler-dist/ProxyServerWorker.js +3314 -0
  41. package/wrangler-dist/ProxyWorker.js +238 -0
  42. package/wrangler-dist/cli.d.ts +3154 -0
  43. package/wrangler-dist/cli.js +303399 -0
  44. package/wrangler-dist/metafile-cjs.json +1 -0
@@ -0,0 +1,340 @@
1
+ import {
2
+ createDeferred,
3
+ DeferredPromise,
4
+ urlFromParts,
5
+ } from "../../src/api/startDevWorker/utils";
6
+ import type {
7
+ ProxyData,
8
+ ProxyWorkerIncomingRequestBody,
9
+ ProxyWorkerOutgoingRequestBody,
10
+ } from "../../src/api/startDevWorker/events";
11
+
12
+ interface Env {
13
+ PROXY_CONTROLLER: Fetcher;
14
+ PROXY_CONTROLLER_AUTH_SECRET: string;
15
+ DURABLE_OBJECT: DurableObjectNamespace;
16
+ }
17
+
18
+ // request.cf.hostMetadata is verbose to type using the workers-types Request -- this allows us to have Request correctly typed in this scope
19
+ type Request = Parameters<
20
+ NonNullable<
21
+ ExportedHandler<Env, unknown, ProxyWorkerIncomingRequestBody>["fetch"]
22
+ >
23
+ >[0];
24
+
25
+ const LIVE_RELOAD_PROTOCOL = "WRANGLER_PROXYWORKER_LIVE_RELOAD_PROTOCOL";
26
+ export default {
27
+ fetch(req, env) {
28
+ const singleton = env.DURABLE_OBJECT.idFromName("");
29
+ const inspectorProxy = env.DURABLE_OBJECT.get(singleton);
30
+
31
+ return inspectorProxy.fetch(req);
32
+ },
33
+ } as ExportedHandler<Env, unknown, ProxyWorkerIncomingRequestBody>;
34
+
35
+ export class ProxyWorker implements DurableObject {
36
+ constructor(
37
+ readonly state: DurableObjectState,
38
+ readonly env: Env
39
+ ) {}
40
+
41
+ proxyData?: ProxyData;
42
+ requestQueue = new Map<Request, DeferredPromise<Response>>();
43
+ requestRetryQueue = new Map<Request, DeferredPromise<Response>>();
44
+
45
+ fetch(request: Request) {
46
+ if (isRequestForLiveReloadWebsocket(request)) {
47
+ // requests for live-reload websocket
48
+
49
+ return this.handleLiveReloadWebSocket(request);
50
+ }
51
+
52
+ if (isRequestFromProxyController(request, this.env)) {
53
+ // requests from ProxyController
54
+
55
+ return this.processProxyControllerRequest(request);
56
+ }
57
+
58
+ // regular requests to be proxied
59
+ const deferred = createDeferred<Response>();
60
+
61
+ this.requestQueue.set(request, deferred);
62
+ this.processQueue();
63
+
64
+ return deferred.promise;
65
+ }
66
+
67
+ handleLiveReloadWebSocket(request: Request) {
68
+ const { 0: response, 1: liveReload } = new WebSocketPair();
69
+ const websocketProtocol =
70
+ request.headers.get("Sec-WebSocket-Protocol") ?? "";
71
+
72
+ this.state.acceptWebSocket(liveReload, ["live-reload"]);
73
+
74
+ return new Response(null, {
75
+ status: 101,
76
+ webSocket: response,
77
+ headers: { "Sec-WebSocket-Protocol": websocketProtocol },
78
+ });
79
+ }
80
+
81
+ processProxyControllerRequest(request: Request) {
82
+ const event = request.cf?.hostMetadata;
83
+ switch (event?.type) {
84
+ case "pause":
85
+ this.proxyData = undefined;
86
+ break;
87
+
88
+ case "play":
89
+ this.proxyData = event.proxyData;
90
+ this.processQueue();
91
+ this.state
92
+ .getWebSockets("live-reload")
93
+ .forEach((ws) => ws.send("reload"));
94
+
95
+ break;
96
+ }
97
+
98
+ return new Response(null, { status: 204 });
99
+ }
100
+
101
+ /**
102
+ * Process requests that are being retried first, then process newer requests.
103
+ * Requests that are being retried are, by definition, older than requests which haven't been processed yet.
104
+ * We don't need to be more accurate than this re ordering, since the requests are being fired off synchronously.
105
+ */
106
+ *getOrderedQueue() {
107
+ yield* this.requestRetryQueue;
108
+ yield* this.requestQueue;
109
+ }
110
+
111
+ processQueue() {
112
+ const { proxyData } = this; // store proxyData at the moment this function was called
113
+ if (proxyData === undefined) return;
114
+
115
+ for (const [request, deferredResponse] of this.getOrderedQueue()) {
116
+ this.requestRetryQueue.delete(request);
117
+ this.requestQueue.delete(request);
118
+
119
+ const outerUrl = new URL(request.url);
120
+ const headers = new Headers(request.headers);
121
+
122
+ // override url parts for proxying
123
+ const userWorkerUrl = new URL(request.url);
124
+ Object.assign(userWorkerUrl, proxyData.userWorkerUrl);
125
+
126
+ // set request.url in the UserWorker
127
+ const innerUrl = urlFromParts(
128
+ proxyData.userWorkerInnerUrlOverrides ?? {},
129
+ request.url
130
+ );
131
+ headers.set("MF-Original-URL", innerUrl.href);
132
+
133
+ // Preserve client `Accept-Encoding`, rather than using Worker's default
134
+ // of `Accept-Encoding: br, gzip`
135
+ const encoding = request.cf?.clientAcceptEncoding;
136
+ if (encoding !== undefined) headers.set("Accept-Encoding", encoding);
137
+
138
+ rewriteUrlRelatedHeaders(headers, outerUrl, innerUrl);
139
+
140
+ // merge proxyData headers with the request headers
141
+ for (const [key, value] of Object.entries(proxyData.headers ?? {})) {
142
+ if (value === undefined) continue;
143
+
144
+ if (key.toLowerCase() === "cookie") {
145
+ const existing = request.headers.get("cookie") ?? "";
146
+ headers.set("cookie", `${existing};${value}`);
147
+ } else {
148
+ headers.set(key, value);
149
+ }
150
+ }
151
+
152
+ // explicitly NOT await-ing this promise, we are in a loop and want to process the whole queue quickly + synchronously
153
+ void fetch(userWorkerUrl, new Request(request, { headers }))
154
+ .then(async (res) => {
155
+ res = new Response(res.body, res);
156
+ rewriteUrlRelatedHeaders(res.headers, innerUrl, outerUrl);
157
+
158
+ if (isHtmlResponse(res)) {
159
+ await checkForPreviewTokenError(res, this.env, proxyData);
160
+ res = insertLiveReloadScript(request, res, this.env, proxyData);
161
+ }
162
+
163
+ deferredResponse.resolve(res);
164
+ })
165
+ .catch((error: Error) => {
166
+ // errors here are network errors or from response post-processing
167
+ // to catch only network errors, use the 2nd param of the fetch.then()
168
+
169
+ // we have crossed an async boundary, so proxyData may have changed
170
+ // if proxyData.userWorkerUrl has changed, it means there is a new downstream UserWorker
171
+ // and that this error is stale since it was for a request to the old UserWorker
172
+ // so here we construct a newUserWorkerUrl so we can compare it to the (old) userWorkerUrl
173
+ const newUserWorkerUrl =
174
+ this.proxyData && urlFromParts(this.proxyData.userWorkerUrl);
175
+
176
+ // only report errors if the downstream proxy has NOT changed
177
+ if (userWorkerUrl.href === newUserWorkerUrl?.href) {
178
+ void sendMessageToProxyController(this.env, {
179
+ type: "error",
180
+ error: {
181
+ name: error.name,
182
+ message: error.message,
183
+ stack: error.stack,
184
+ cause: error.cause,
185
+ },
186
+ });
187
+
188
+ deferredResponse.reject(error);
189
+ }
190
+
191
+ // if the request can be retried (subset of idempotent requests which have no body), requeue it
192
+ else if (request.method === "GET" || request.method === "HEAD") {
193
+ this.requestRetryQueue.set(request, deferredResponse);
194
+ // we would only end up here if the downstream UserWorker is chang*ing*
195
+ // i.e. we are in a `pause`d state and expecting a `play` message soon
196
+ // this request will be processed (retried) when the `play` message arrives
197
+ // for that reason, we do not need to call `this.processQueue` here
198
+ // (but, also, it can't hurt to call it since it bails when
199
+ // in a `pause`d state i.e. `this.proxyData` is undefined)
200
+ }
201
+
202
+ // if the request cannot be retried, respond with 503 Service Unavailable
203
+ // important to note, this is not an (unexpected) error -- it is an acceptable flow of local development
204
+ // it would be incorrect to retry non-idempotent requests
205
+ // and would require cloning all body streams to avoid stream reuse (which is inefficient but not out of the question in the future)
206
+ // this is a good enough UX for now since it solves the most common GET use-case
207
+ else {
208
+ deferredResponse.resolve(
209
+ new Response(
210
+ "Your worker restarted mid-request. Please try sending the request again. Only GET or HEAD requests are retried automatically.",
211
+ {
212
+ status: 503,
213
+ headers: { "Retry-After": "0" },
214
+ }
215
+ )
216
+ );
217
+ }
218
+ });
219
+ }
220
+ }
221
+ }
222
+
223
+ function isRequestFromProxyController(req: Request, env: Env): boolean {
224
+ return req.headers.get("Authorization") === env.PROXY_CONTROLLER_AUTH_SECRET;
225
+ }
226
+ function isHtmlResponse(res: Response): boolean {
227
+ return res.headers.get("content-type")?.startsWith("text/html") ?? false;
228
+ }
229
+ function isRequestForLiveReloadWebsocket(req: Request): boolean {
230
+ const websocketProtocol = req.headers.get("Sec-WebSocket-Protocol");
231
+ const isWebSocketUpgrade = req.headers.get("Upgrade") === "websocket";
232
+
233
+ return isWebSocketUpgrade && websocketProtocol === LIVE_RELOAD_PROTOCOL;
234
+ }
235
+
236
+ function sendMessageToProxyController(
237
+ env: Env,
238
+ message: ProxyWorkerOutgoingRequestBody
239
+ ) {
240
+ return env.PROXY_CONTROLLER.fetch("http://dummy", {
241
+ method: "POST",
242
+ body: JSON.stringify(message),
243
+ });
244
+ }
245
+
246
+ async function checkForPreviewTokenError(
247
+ response: Response,
248
+ env: Env,
249
+ proxyData: ProxyData
250
+ ) {
251
+ if (response.status !== 400) {
252
+ return;
253
+ }
254
+
255
+ // At this point HTMLRewriter tries to parse the compressed stream,
256
+ // so we clone and read the text instead.
257
+ const clone = response.clone();
258
+ const text = await clone.text();
259
+ // Naive string match should be good enough when combined with status code check
260
+ if (text.includes("Invalid Workers Preview configuration")) {
261
+ void sendMessageToProxyController(env, {
262
+ type: "previewTokenExpired",
263
+ proxyData,
264
+ });
265
+ }
266
+ }
267
+
268
+ function insertLiveReloadScript(
269
+ request: Request,
270
+ response: Response,
271
+ env: Env,
272
+ proxyData: ProxyData
273
+ ) {
274
+ const htmlRewriter = new HTMLRewriter();
275
+
276
+ htmlRewriter.onDocument({
277
+ end(end) {
278
+ // if liveReload enabled, append a script tag
279
+ // TODO: compare to existing nodejs implementation
280
+ if (proxyData.liveReload) {
281
+ const websocketUrl = new URL(request.url);
282
+ websocketUrl.protocol =
283
+ websocketUrl.protocol === "http:" ? "ws:" : "wss:";
284
+
285
+ end.append(liveReloadScript, { html: true });
286
+ }
287
+ },
288
+ });
289
+
290
+ return htmlRewriter.transform(response);
291
+ }
292
+
293
+ const liveReloadScript = `
294
+ <script defer type="application/javascript">
295
+ (function() {
296
+ var ws;
297
+ function recover() {
298
+ ws = null;
299
+ setTimeout(initLiveReload, 100);
300
+ }
301
+ function initLiveReload() {
302
+ if (ws) return;
303
+ var origin = (location.protocol === "http:" ? "ws://" : "wss://") + location.host;
304
+ ws = new WebSocket(origin + "/cdn-cgi/live-reload", "${LIVE_RELOAD_PROTOCOL}");
305
+ ws.onclose = recover;
306
+ ws.onerror = recover;
307
+ ws.onmessage = location.reload.bind(location);
308
+ }
309
+ initLiveReload();
310
+ })();
311
+ </script>
312
+ `;
313
+
314
+ /**
315
+ * Rewrite references to URLs in request/response headers.
316
+ *
317
+ * This function is used to map the URLs in headers like Origin and Access-Control-Allow-Origin
318
+ * so that this proxy is transparent to the Client Browser and User Worker.
319
+ */
320
+ function rewriteUrlRelatedHeaders(headers: Headers, from: URL, to: URL) {
321
+ const setCookie = headers.getAll("Set-Cookie");
322
+ headers.delete("Set-Cookie");
323
+ headers.forEach((value, key) => {
324
+ if (typeof value === "string" && value.includes(from.host)) {
325
+ headers.set(
326
+ key,
327
+ value.replaceAll(from.origin, to.origin).replaceAll(from.host, to.host)
328
+ );
329
+ }
330
+ });
331
+ for (const cookie of setCookie) {
332
+ headers.append(
333
+ "Set-Cookie",
334
+ cookie.replace(
335
+ new RegExp(`Domain=${from.hostname}($|;|,)`),
336
+ `Domain=${to.hostname}$1`
337
+ )
338
+ );
339
+ }
340
+ }
@@ -0,0 +1,11 @@
1
+ // @ts-nocheck `@types/node` should NOT be included
2
+ Buffer.from("test");
3
+
4
+ // @ts-expect-error `@types/jest` should NOT be included
5
+ test("test");
6
+
7
+ // `@cloudflare/workers-types` should be included
8
+ const _handler: ExportedHandler = {};
9
+ new HTMLRewriter();
10
+
11
+ export {};
@@ -0,0 +1,22 @@
1
+ {
2
+ "compilerOptions": {
3
+ "target": "es2021" /* Set the JavaScript language version for emitted JavaScript and include compatible library declarations. */,
4
+ "lib": [
5
+ "es2021"
6
+ ] /* Specify a set of bundled library declaration files that describe the target runtime environment. */,
7
+ "jsx": "react-jsx" /* Specify what JSX code is generated. */,
8
+ "module": "ESNext" /* Specify what module code is generated. */,
9
+ "moduleResolution": "Bundler" /* Specify how TypeScript looks up a file from a given module specifier. */,
10
+ "types": [
11
+ "@cloudflare/workers-types"
12
+ ] /* Specify type package names to be included without being referenced in a source file. */,
13
+ "resolveJsonModule": true /* Enable importing .json files */,
14
+ "allowJs": true /* Allow JavaScript files to be a part of your program. Use the `checkJS` option to get errors from these files. */,
15
+ "noEmit": true /* Disable emitting files from a compilation. */,
16
+ "isolatedModules": true /* Ensure that each file can be safely transpiled without relying on other imports. */,
17
+ "allowSyntheticDefaultImports": true /* Allow 'import x from y' when a module doesn't have a default export. */,
18
+ "strict": true /* Enable all strict type-checking options. */,
19
+ "noUncheckedIndexedAccess": true,
20
+ "skipLibCheck": true /* Skip type checking all .d.ts files. */
21
+ }
22
+ }
@@ -0,0 +1,14 @@
1
+ {
2
+ "extends": "@cloudflare/workers-tsconfig/tsconfig.json",
3
+ "compilerOptions": {
4
+ "types": ["@cloudflare/workers-types"]
5
+ },
6
+ "include": ["**/*.ts"],
7
+ "exclude": [
8
+ "__tests__",
9
+ // Note: `startDevWorker` and `middleware` should also be included but some work is needed
10
+ // for that first (see: https://github.com/cloudflare/workers-sdk/issues/8303)
11
+ "startDevWorker",
12
+ "middleware"
13
+ ]
14
+ }