Skip to content

Commit 78dc490

Browse files
feat: use a single transport for fetchModule and HMR support (#18362)
Co-authored-by: Vladimir <sleuths.slews0s@icloud.com>
1 parent 643928c commit 78dc490

31 files changed

+1155
-746
lines changed

docs/guide/api-environment-instances.md

+1-1
Original file line numberDiff line numberDiff line change
@@ -41,7 +41,7 @@ class DevEnvironment {
4141
* Communication channel to send and receive messages from the
4242
* associated module runner in the target runtime.
4343
*/
44-
hot: HotChannel | null
44+
hot: NormalizedHotChannel
4545
/**
4646
* Graph of module nodes, with the imported relationship between
4747
* processed modules and the cached result of the processed code.

docs/guide/api-environment-runtimes.md

+89-78
Original file line numberDiff line numberDiff line change
@@ -29,7 +29,8 @@ function createWorkedEnvironment(
2929
dev: {
3030
createEnvironment(name, config) {
3131
return createWorkerdDevEnvironment(name, config, {
32-
hot: customHotChannel(),
32+
hot: true,
33+
transport: customHotChannel(),
3334
})
3435
},
3536
},
@@ -82,29 +83,26 @@ A Vite Module Runner allows running any code by processing it with Vite plugins
8283
One of the goals of this feature is to provide a customizable API to process and run code. Users can create new environment factories using the exposed primitives.
8384

8485
```ts
85-
import { DevEnvironment, RemoteEnvironmentTransport } from 'vite'
86+
import { DevEnvironment, HotChannel } from 'vite'
8687

8788
function createWorkerdDevEnvironment(
8889
name: string,
8990
config: ResolvedConfig,
9091
context: DevEnvironmentContext
9192
) {
92-
const hot = /* ... */
9393
const connection = /* ... */
94-
const transport = new RemoteEnvironmentTransport({
94+
const transport: HotChannel = {
95+
on: (listener) => { connection.on('message', listener) },
9596
send: (data) => connection.send(data),
96-
onMessage: (listener) => connection.on('message', listener),
97-
})
97+
}
9898

9999
const workerdDevEnvironment = new DevEnvironment(name, config, {
100100
options: {
101101
resolve: { conditions: ['custom'] },
102102
...context.options,
103103
},
104-
hot,
105-
remoteRunner: {
106-
transport,
107-
},
104+
hot: true,
105+
transport,
108106
})
109107
return workerdDevEnvironment
110108
}
@@ -152,13 +150,12 @@ Module runner exposes `import` method. When Vite server triggers `full-reload` H
152150

153151
```js
154152
import { ModuleRunner, ESModulesEvaluator } from 'vite/module-runner'
155-
import { root, fetchModule } from './rpc-implementation.js'
153+
import { root, transport } from './rpc-implementation.js'
156154

157155
const moduleRunner = new ModuleRunner(
158156
{
159157
root,
160-
fetchModule,
161-
// you can also provide hmr.connection to support HMR
158+
transport,
162159
},
163160
new ESModulesEvaluator(),
164161
)
@@ -177,7 +174,7 @@ export interface ModuleRunnerOptions {
177174
/**
178175
* A set of methods to communicate with the server.
179176
*/
180-
transport: RunnerTransport
177+
transport: ModuleRunnerTransport
181178
/**
182179
* Configure how source maps are resolved.
183180
* Prefers `node` if `process.setSourceMapsEnabled` is available.
@@ -197,10 +194,6 @@ export interface ModuleRunnerOptions {
197194
hmr?:
198195
| false
199196
| {
200-
/**
201-
* Configure how HMR communicates between client and server.
202-
*/
203-
connection: ModuleRunnerHMRConnection
204197
/**
205198
* Configure HMR logger.
206199
*/
@@ -245,59 +238,91 @@ export interface ModuleEvaluator {
245238

246239
Vite exports `ESModulesEvaluator` that implements this interface by default. It uses `new AsyncFunction` to evaluate code, so if the code has inlined source map it should contain an [offset of 2 lines](https://tc39.es/ecma262/#sec-createdynamicfunction) to accommodate for new lines added. This is done automatically by the `ESModulesEvaluator`. Custom evaluators will not add additional lines.
247240

248-
## RunnerTransport
241+
## `ModuleRunnerTransport`
249242

250243
**Type Signature:**
251244

252245
```ts
253-
interface RunnerTransport {
254-
/**
255-
* A method to get the information about the module.
256-
*/
257-
fetchModule: FetchFunction
246+
interface ModuleRunnerTransport {
247+
connect?(handlers: ModuleRunnerTransportHandlers): Promise<void> | void
248+
disconnect?(): Promise<void> | void
249+
send?(data: HotPayload): Promise<void> | void
250+
invoke?(
251+
data: HotPayload,
252+
): Promise<{ /** result */ r: any } | { /** error */ e: any }>
253+
timeout?: number
258254
}
259255
```
260256

261-
Transport object that communicates with the environment via an RPC or by directly calling the function. By default, you need to pass an object with `fetchModule` method - it can use any type of RPC inside of it, but Vite also exposes bidirectional transport interface via a `RemoteRunnerTransport` class to make the configuration easier. You need to couple it with the `RemoteEnvironmentTransport` instance on the server like in this example where module runner is created in the worker thread:
257+
Transport object that communicates with the environment via an RPC or by directly calling the function. When `invoke` method is not implemented, the `send` method and `connect` method is required to be implemented. Vite will construct the `invoke` internally.
258+
259+
You need to couple it with the `HotChannel` instance on the server like in this example where module runner is created in the worker thread:
262260

263261
::: code-group
264262

265-
```ts [worker.js]
263+
```js [worker.js]
266264
import { parentPort } from 'node:worker_threads'
267265
import { fileURLToPath } from 'node:url'
268-
import {
269-
ESModulesEvaluator,
270-
ModuleRunner,
271-
RemoteRunnerTransport,
272-
} from 'vite/module-runner'
266+
import { ESModulesEvaluator, ModuleRunner } from 'vite/module-runner'
267+
268+
/** @type {import('vite/module-runner').ModuleRunnerTransport} */
269+
const transport = {
270+
connect({ onMessage, onDisconnection }) {
271+
parentPort.on('message', onMessage)
272+
parentPort.on('close', onDisconnection)
273+
},
274+
send(data) {
275+
parentPort.postMessage(data)
276+
},
277+
}
273278

274279
const runner = new ModuleRunner(
275280
{
276281
root: fileURLToPath(new URL('./', import.meta.url)),
277-
transport: new RemoteRunnerTransport({
278-
send: (data) => parentPort.postMessage(data),
279-
onMessage: (listener) => parentPort.on('message', listener),
280-
timeout: 5000,
281-
}),
282+
transport,
282283
},
283284
new ESModulesEvaluator(),
284285
)
285286
```
286287
287-
```ts [server.js]
288+
```js [server.js]
288289
import { BroadcastChannel } from 'node:worker_threads'
289290
import { createServer, RemoteEnvironmentTransport, DevEnvironment } from 'vite'
290291

291292
function createWorkerEnvironment(name, config, context) {
292293
const worker = new Worker('./worker.js')
293-
return new DevEnvironment(name, config, {
294-
hot: /* custom hot channel */,
295-
remoteRunner: {
296-
transport: new RemoteEnvironmentTransport({
297-
send: (data) => worker.postMessage(data),
298-
onMessage: (listener) => worker.on('message', listener),
299-
}),
294+
const handlerToWorkerListener = new WeakMap()
295+
296+
const workerHotChannel = {
297+
send: (data) => w.postMessage(data),
298+
on: (event, handler) => {
299+
if (event === 'connection') return
300+
301+
const listener = (value) => {
302+
if (value.type === 'custom' && value.event === event) {
303+
const client = {
304+
send(payload) {
305+
w.postMessage(payload)
306+
},
307+
}
308+
handler(value.data, client)
309+
}
310+
}
311+
handlerToWorkerListener.set(handler, listener)
312+
w.on('message', listener)
313+
},
314+
off: (event, handler) => {
315+
if (event === 'connection') return
316+
const listener = handlerToWorkerListener.get(handler)
317+
if (listener) {
318+
w.off('message', listener)
319+
handlerToWorkerListener.delete(handler)
320+
}
300321
},
322+
}
323+
324+
return new DevEnvironment(name, config, {
325+
transport: workerHotChannel,
301326
})
302327
}
303328

@@ -314,7 +339,7 @@ await createServer({
314339
315340
:::
316341
317-
`RemoteRunnerTransport` and `RemoteEnvironmentTransport` are meant to be used together, but you don't have to use them at all. You can define your own function to communicate between the runner and the server. For example, if you connect to the environment via an HTTP request, you can call `fetch().json()` in `fetchModule` function:
342+
A different example using an HTTP request to communicate between the runner and the server:
318343
319344
```ts
320345
import { ESModulesEvaluator, ModuleRunner } from 'vite/module-runner'
@@ -323,10 +348,11 @@ export const runner = new ModuleRunner(
323348
{
324349
root: fileURLToPath(new URL('./', import.meta.url)),
325350
transport: {
326-
async fetchModule(id, importer) {
327-
const response = await fetch(
328-
`http://my-vite-server/fetch?id=${id}&importer=${importer}`,
329-
)
351+
async invoke(data) {
352+
const response = await fetch(`http://my-vite-server/invoke`, {
353+
method: 'POST',
354+
body: JSON.stringify(data),
355+
})
330356
return response.json()
331357
},
332358
},
@@ -337,37 +363,22 @@ export const runner = new ModuleRunner(
337363
await runner.import('/entry.js')
338364
```
339365
340-
## ModuleRunnerHMRConnection
341-
342-
**Type Signature:**
366+
In this case, the `handleInvoke` method in the `NormalizedHotChannel` can be used:
343367
344368
```ts
345-
export interface ModuleRunnerHMRConnection {
346-
/**
347-
* Checked before sending messages to the server.
348-
*/
349-
isReady(): boolean
350-
/**
351-
* Send a message to the server.
352-
*/
353-
send(payload: HotPayload): void
354-
/**
355-
* Configure how HMR is handled when this connection triggers an update.
356-
* This method expects that the connection will start listening for HMR
357-
* updates and call this callback when it's received.
358-
*/
359-
onUpdate(callback: (payload: HotPayload) => void): void
360-
}
369+
const customEnvironment = new DevEnvironment(name, config, context)
370+
371+
server.onRequest((request: Request) => {
372+
const url = new URL(request.url)
373+
if (url.pathname === '/invoke') {
374+
const payload = (await request.json()) as HotPayload
375+
const result = customEnvironment.hot.handleInvoke(payload)
376+
return new Response(JSON.stringify(result))
377+
}
378+
return Response.error()
379+
})
361380
```
362381
363-
This interface defines how HMR communication is established. Vite exports `ServerHMRConnector` from the main entry point to support HMR during Vite SSR. The `isReady` and `send` methods are usually called when the custom event is triggered (like, `import.meta.hot.send("my-event")`).
364-
365-
`onUpdate` is called only once when the new module runner is initiated. It passed down a method that should be called when connection triggers the HMR event. The implementation depends on the type of connection (as an example, it can be `WebSocket`/`EventEmitter`/`MessageChannel`), but it usually looks something like this:
366-
367-
```js
368-
function onUpdate(callback) {
369-
this.connection.on('hmr', (event) => callback(event.data))
370-
}
371-
```
382+
But note that for HMR support, `send` and `connect` methods are required. The `send` method is usually called when the custom event is triggered (like, `import.meta.hot.send("my-event")`).
372383
373-
The callback is queued and it will wait for the current update to be resolved before processing the next update. Unlike the browser implementation, HMR updates in a module runner will wait until all listeners (like, `vite:beforeUpdate`/`vite:beforeFullReload`) are finished before updating the modules.
384+
Vite exports `createServerHotChannel` from the main entry point to support HMR during Vite SSR.

packages/vite/rollup.config.ts

+2-1
Original file line numberDiff line numberDiff line change
@@ -32,6 +32,7 @@ const clientConfig = defineConfig({
3232
input: path.resolve(__dirname, 'src/client/client.ts'),
3333
external: ['@vite/env'],
3434
plugins: [
35+
nodeResolve({ preferBuiltins: true }),
3536
esbuild({
3637
tsconfig: path.resolve(__dirname, 'src/client/tsconfig.json'),
3738
}),
@@ -186,7 +187,7 @@ const moduleRunnerConfig = defineConfig({
186187
],
187188
plugins: [
188189
...createSharedNodePlugins({ esbuildOptions: { minifySyntax: true } }),
189-
bundleSizeLimit(50),
190+
bundleSizeLimit(53),
190191
],
191192
})
192193

0 commit comments

Comments
 (0)