Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Make the adaptor also work in development mode #25

Open
SirMorfield opened this issue Sep 9, 2023 · 16 comments
Open

Make the adaptor also work in development mode #25

SirMorfield opened this issue Sep 9, 2023 · 16 comments
Labels
enhancement New feature or request

Comments

@SirMorfield
Copy link

SirMorfield commented Sep 9, 2023

The adapter's WebSocket server currently does not work when running in vite dev

adapter-node-ws can already do this.

@gornostay25 gornostay25 added the enhancement New feature or request label Sep 9, 2023
@gevera
Copy link

gevera commented Sep 15, 2023

Wow.. I thought the example from README regarding websockets doesnt work. Only after looking through the issues and finding this one, I've build the project and it turned out that it works. It's a bummer that right now its not possible to have a real time feedback in dev mode. Hopefully this is just a temporary issue

@thiagomagro
Copy link

Hello team, any plans to make the WS work in dev mode?

@eslym
Copy link
Contributor

eslym commented Mar 26, 2024

prove of concept

// dev.ts

import { createServer } from 'vite';
import { join } from 'path';
import { EventEmitter } from 'events';
import { IncomingMessage, ServerResponse } from 'http';
import type { Server, WebSocketHandler } from 'bun';
const fakeServer = new EventEmitter();

const vite = await createServer({
	...(await import(join(process.cwd(), 'vite.config.ts'))),
	server: {
		hmr: {
			server: fakeServer as any
		},
		middlewareMode: true
	},
	appType: 'custom'
});

let bunternal = (socket: any) => {
	for (const prop of Object.getOwnPropertySymbols(socket)) {
		if (prop.toString().includes('bunternal')) {
			bunternal = () => prop;
			return prop as any;
		}
	}
};

Bun.serve({
	port: 5173,
	async fetch(request: Request, server: Server) {
		let pendingResponse: Response | undefined;
		let pendingError: Error | undefined;

		let resolve: (response: Response) => void;
		let reject: (error: Error) => void;

		function raise(err: any) {
			if (pendingError) return;
			reject?.((pendingError = err));
		}

		function respond(res: Response) {
			if (pendingResponse) return;
			resolve?.((pendingResponse = res));
		}

		const req = new IncomingMessage(request as any);
		const res = new (ServerResponse as any)(req, respond);

		const socket = req.socket as any;
		socket[bunternal(socket)] = [server, res, request];

		req.once('error', raise);
		res.once('error', raise);

		const promise = new Promise<Response | undefined>((res, rej) => {
			resolve = res;
			reject = rej;
		});

		if (request.headers.get('upgrade')) {
			if (request.headers.get('sec-websocket-protocol') === 'vite-hmr') {
				fakeServer.emit('upgrade', req, socket, Buffer.alloc(0));
				return;
			}
			const hooks = (await vite.ssrLoadModule('src/hooks.server.ts')) as any;
			if ('handleWebsocket' in hooks && hooks.handleWebsocket.upgrade(request, server)) {
				return;
			}
		}

		vite.middlewares(req, res, (err: any) => {
			if (err) {
				vite.ssrFixStacktrace(err);
				raise(err);
			}
		});

		return promise;
	},
	// this is required for bun internal ws package to work, so the hooks.server.ts must match with this format.
	// ex: server.upgrade(req, { data: { message(ws, msg) { ... } } });
	websocket: {
		open(ws) {
			return ws.data.open?.(ws);
		},
		message(ws, message) {
			return ws.data.message(ws, message);
		},
		drain(ws) {
			return ws.data.drain?.(ws);
		},
		close(ws, code, reason) {
			return ws.data.close?.(ws, code, reason);
		},
		ping(ws, buffer) {
			return ws.data.ping?.(ws, buffer);
		},
		pong(ws, buffer) {
			return ws.data.pong?.(ws, buffer);
		}
	} as WebSocketHandler<Pick<WebSocketHandler<any>, 'open' | 'message' | 'drain' | 'close' | 'ping' | 'pong'>>
});

console.log('Server running at http://localhost:5173');

then use bun dev.ts to start the dev server instead

p/s: this hack involve few bun internal stuffs, so it might broken after bun upgrade

@timootten
Copy link

timootten commented May 28, 2024

I update the dev.ts

dev.ts:

// dev.ts

import { createServer } from 'vite';
import { join } from 'path';
import { EventEmitter } from 'events';
import { IncomingMessage, ServerResponse } from 'http';
import type { Server, WebSocketHandler } from 'bun';
const fakeServer = new EventEmitter();

const vite = await createServer({
  ...(await import(join(process.cwd(), 'vite.config.ts'))),
  server: {
    hmr: {
      server: fakeServer as any
    },
    middlewareMode: true
  },
  appType: 'custom'
});

let bunternal = (socket: any) => {
  for (const prop of Object.getOwnPropertySymbols(socket)) {
    if (prop.toString().includes('bunternal')) {
      bunternal = () => prop;
      return prop as any;
    }
  }
};

const hooks = (await vite.ssrLoadModule('src/hooks.server.ts')) as any;

Bun.serve({
  port: 5173,
  async fetch(request: Request, server: Server) {
    let pendingResponse: Response | undefined;
    let pendingError: Error | undefined;

    let resolve: (response: Response) => void;
    let reject: (error: Error) => void;

    function raise(err: any) {
      if (pendingError) return;
      reject?.((pendingError = err));
    }

    function respond(res: Response) {
      if (pendingResponse) return;
      resolve?.((pendingResponse = res));
    }

    const req = new IncomingMessage(request as any);
    const res = new (ServerResponse as any)(req, respond);

    const socket = req.socket as any;
    socket[bunternal(socket)] = [server, res, request];

    req.once('error', raise);
    res.once('error', raise);

    const promise = new Promise<Response | undefined>((res, rej) => {
      resolve = res;
      reject = rej;
    });

    if (request.headers.get('upgrade')) {
      if (request.headers.get('sec-websocket-protocol') === 'vite-hmr') {
        fakeServer.emit('upgrade', req, socket, Buffer.alloc(0));
        return;
      }
      const hooks = (await vite.ssrLoadModule('src/hooks.server.ts')) as any;
      const upgradeMethod = server.upgrade.bind(server);
      if ('handleWebsocket' in hooks && hooks.handleWebsocket.upgrade(request, upgradeMethod)) {
        return;
      }
    }

    vite.middlewares(req, res, (err: any) => {
      if (err) {
        vite.ssrFixStacktrace(err);
        raise(err);
      }
    });

    return promise;
  },
  // this is required for bun internal ws package to work, so the hooks.server.ts must match with this format.
  // ex: server.upgrade(req, { data: { message(ws, msg) { ... } } });
  websocket: {
    open(ws) {
      if (ws?.data?.open) return ws.data.open?.(ws);
      return hooks?.handleWebsocket?.open(ws);
    },
    message(ws, message) {
      if (ws?.data?.message) return ws.data.message(ws, message);
      return hooks?.handleWebsocket?.message(ws, message);
    },
    drain(ws) {
      if (ws?.data?.drain) return ws.data.drain?.(ws);
      return hooks?.handleWebsocket?.drain?.(ws);
    },
    close(ws, code, reason) {
      if (ws?.data?.close) return ws.data.close?.(ws, code, reason);
      return hooks?.handleWebsocket?.drain?.(ws, code, reason);
    },
    ping(ws, buffer) {
      if (ws?.data?.ping) return ws.data.ping?.(ws, buffer);
      return hooks?.handleWebsocket?.ping?.(ws, buffer);
    },
    pong(ws, buffer) {
      if (ws?.data?.pong) return ws.data.pong?.(ws, buffer);
      return hooks?.handleWebsocket?.pong?.(ws, buffer);
    }
  } as WebSocketHandler<Pick<WebSocketHandler<any>, 'open' | 'message' | 'drain' | 'close' | 'ping' | 'pong'>>
});

console.log('Server running at http://localhost:5173');

hooks.server.ts:

export const handleWebsocket: WebSocketHandler = {
  open(ws) {
    ws.send("test");
    console.log("ws opened");
  },
  upgrade(request, upgrade) {
    const url = request.url
    console.log(url)
    console.log(upgrade)
    return upgrade(request);
  },
  message(ws, message) {
    ws.send(message);
    console.log("ws message", message);
  },
};

@eslym
Copy link
Contributor

eslym commented Aug 22, 2024

the work around will break in bun 1.1.25 due to the bun's internal changes, here is the changes need to apply for it to work in the latest bun

  1. Bun.serve({... -> const bunServer = Bun.serve({...
  2. socket[bunternal(socket)] = [server, res, request]; -> socket[bunternal(socket)] = [fakeServer, res, request];
  3. add (fakeServer as any)[bunternal(fakeServer)] = bunServer; to the last line

@timootten
Copy link

Hi @eslym ,

I'm having some trouble applying the necessary changes for the latest Bun 1.1.25 update. I couldn't quite get it to work with the workaround mentioned. Would you mind sharing the entire code with the necessary changes included?

Thanks a lot for your help!

Best regards,
Timo

@eslym
Copy link
Contributor

eslym commented Aug 22, 2024

@timootten this will work

import { createServer } from 'vite';
import { join } from 'path';
import { EventEmitter } from 'events';
import { IncomingMessage, ServerResponse } from 'http';
import type { Server, WebSocketHandler } from 'bun';
const fakeServer = new EventEmitter();

const vite = await createServer({
  ...(await import(join(process.cwd(), 'vite.config.ts'))),
  server: {
    hmr: {
      server: fakeServer as any
    },
    middlewareMode: true
  },
  appType: 'custom'
});

const bunternal = Symbol.for('::bunternal::');

const hooks = (await vite.ssrLoadModule('src/hooks.server.ts')) as any;

const server = Bun.serve({
  port: 5173,
  async fetch(request: Request, server: Server) {
    let pendingResponse: Response | undefined;
    let pendingError: Error | undefined;

    let resolve: (response: Response) => void;
    let reject: (error: Error) => void;

    function raise(err: any) {
      if (pendingError) return;
      reject?.((pendingError = err));
    }

    function respond(res: Response) {
      if (pendingResponse) return;
      resolve?.((pendingResponse = res));
    }

    const req = new IncomingMessage(request as any);
    const res = new (ServerResponse as any)(req, respond);

    const socket = req.socket as any;
    socket[bunternal] = [fakeServer, res, request];

    req.once('error', raise);
    res.once('error', raise);

    const promise = new Promise<Response | undefined>((res, rej) => {
      resolve = res;
      reject = rej;
    });

    if (request.headers.get('upgrade')) {
      if (request.headers.get('sec-websocket-protocol') === 'vite-hmr') {
        fakeServer.emit('upgrade', req, socket, Buffer.alloc(0));
        return;
      }
      const hooks = (await vite.ssrLoadModule('src/hooks.server.ts')) as any;
      const upgradeMethod = server.upgrade.bind(server);
      if ('handleWebsocket' in hooks && hooks.handleWebsocket.upgrade(request, upgradeMethod)) {
        return;
      }
    }

    vite.middlewares(req, res, (err: any) => {
      if (err) {
        vite.ssrFixStacktrace(err);
        raise(err);
      }
    });

    return promise;
  },
  // this is required for bun internal ws package to work, so the hooks.server.ts must match with this format.
  // ex: server.upgrade(req, { data: { message(ws, msg) { ... } } });
  websocket: {
    open(ws) {
      if (ws?.data?.open) return ws.data.open?.(ws);
      return hooks?.handleWebsocket?.open(ws);
    },
    message(ws, message) {
      if (ws?.data?.message) return ws.data.message(ws, message);
      return hooks?.handleWebsocket?.message(ws, message);
    },
    drain(ws) {
      if (ws?.data?.drain) return ws.data.drain?.(ws);
      return hooks?.handleWebsocket?.drain?.(ws);
    },
    close(ws, code, reason) {
      if (ws?.data?.close) return ws.data.close?.(ws, code, reason);
      return hooks?.handleWebsocket?.drain?.(ws, code, reason);
    },
    ping(ws, buffer) {
      if (ws?.data?.ping) return ws.data.ping?.(ws, buffer);
      return hooks?.handleWebsocket?.ping?.(ws, buffer);
    },
    pong(ws, buffer) {
      if (ws?.data?.pong) return ws.data.pong?.(ws, buffer);
      return hooks?.handleWebsocket?.pong?.(ws, buffer);
    }
  } as WebSocketHandler<Pick<WebSocketHandler<any>, 'open' | 'message' | 'drain' | 'close' | 'ping' | 'pong'>>
});

fakeServer[bunternal] = server;

console.log('Server running at http://localhost:5173');

@timootten
Copy link

Thank you :)

@MahmoodKhalil57
Copy link

any update on this?

@MahmoodKhalil57
Copy link

@eslym any updates on your package?? can you provide instructions on how to use it?

@KyleFontenot
Copy link

KyleFontenot commented Oct 3, 2024

@eslym any updates on your package?? can you provide instructions on how to use it?

Hi @MahmoodKhalil57. To use eslym's solution, copy all that code into a vitebuncustomserver.ts (or similarly named) file and place it into your project at the root. Then run bun run ./vitebuncustomserver.ts. You'd use that command for your dev environment instead of vite dev, (which you can swap in your package.json's dev script)

@KyleFontenot
Copy link

KyleFontenot commented Oct 5, 2024

For some reason I couldn't get @eslym 's solution to work appropriately. it might be because of this Bun issue with net.sockets

Here is another option for anyone interested which I'm resulting to until a more thorough solution. Uses's node-adapter-ws's approach to websockets just changing hmr ports. Unfortunately client-side you'll have to connect to an alternate port. like

const ws = new Websocket(`ws://localhost${dev ? ':10234' : ''}`) 

(using 10234 being the plugin's default).
This is a vite plugin so import this into vite.config.ts and stick it in the plugins.

import type { Server, WebSocketHandler } from 'bun';
import type { Plugin, ViteDevServer } from 'vite';
export let bunserverinst: undefined | Server;

export interface ViteBunSimpleHMRPluginOptions {
  ws: WebSocketHandler,
  wsdevport: number
}

const bunWSPlugin = (pluginoptions?: ViteBunSimpleHMRPluginOptions): Plugin => 
({
  name: 'bun-adapter-websockets',
  async configureServer(server: ViteDevServer) {
    const portToUse = pluginoptions?.wsdevport || process.env?.DEVWSPORT || 10234;
    server.config.server.hmr = Object.assign(
      {
        protocol: 'ws',
        clientPort: portToUse,
      },
      server.config.server.hmr,
    );
    // Use and prefer hooks handle
    const hooksHandler = (await import("./src/hooks.server.ts")).handleWebSocket;
    const mergedwebsocketconfig = {
      port: portToUse,
      fetch: ((req: Request, server: Server) => {
        if (
          req.headers.get('connection')?.toLowerCase().includes('upgrade') &&
          req.headers.get('upgrade')?.toLowerCase() === 'websocket'
        ) {
          server.upgrade(req, {
            data: {
              url: req.url,
              headers: req.headers,
            },
          });
        }
      }),
      websocket: pluginoptions?.ws || hooksHandler || {
        open() {
          console.log('Opened default websocket');
        },
        message(ws: ServerWebSocket, msg: string | Buffer) {
          console.log(msg.toString());
        },
      },
    };
    try {
      if (!bunserverinst) {
        bunserverinst = Bun.serve(mergedwebsocketconfig);
      }
    } catch (e) {
      console.warn(e);
    }
  },
});
export default bunWSPlugin;

Like said, not ideal because of the conditional client-side addresses, but it works. Until we come up with a win-win solution

@MahmoodKhalil57
Copy link

#25 (comment)
@KyleFontenot
Thanks a lot, I came to a similar conclusion but my implementation was really bad compared to yours.

@MahmoodKhalil57
Copy link

MahmoodKhalil57 commented Oct 9, 2024

@KyleFontenot I actually ended up splitting the repo to an npm mono repo with sveltekit for frontend and bun for backend, with nginx properly routing everthing

@maietta
Copy link

maietta commented Oct 9, 2024

@KyleFontenot ...... SvelteKit for the frontend and bun for the backend?

Don't you mean an app or website built with SvelteKit and deployed using Bun server runtime?

@MahmoodKhalil57
Copy link

MahmoodKhalil57 commented Oct 9, 2024

Don't you mean an app or website built with SvelteKit and deployed using Bun server runtime?

Nope, its an npm workspace https://docs.npmjs.com/cli/v8/using-npm/workspaces
They are hosted on two different ports, 3200 for frontend and 3300 for backend, the directory looks something like this

package.json
node_modules./
frontend./

  • src
  • svelte.conf
  • package.json
  • ....

backend./

  • index.ts
  • package.json
  • .....

then I have any request sent to /api redirect to port 3300 and anything else redirect to port 3200

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment
Labels
enhancement New feature or request
Projects
None yet
Development

No branches or pull requests

9 participants