Skip to content

Commit 26bcdc3

Browse files
authoredJul 11, 2022
feat: expose server resolved urls (#8986)
1 parent 519f7de commit 26bcdc3

File tree

7 files changed

+142
-129
lines changed

7 files changed

+142
-129
lines changed
 

‎docs/guide/migration.md

-2
Original file line numberDiff line numberDiff line change
@@ -139,8 +139,6 @@ Also there are other breaking changes which only affect few users.
139139
- `server.force` option was removed in favor of `optimizeDeps.force` option.
140140
- [[#8550] fix: dont handle sigterm in middleware mode](https://github.com/vitejs/vite/pull/8550)
141141
- When running in middleware mode, Vite no longer kills process on `SIGTERM`.
142-
- [[#8647] feat: print resolved address for localhost](https://github.com/vitejs/vite/pull/8647)
143-
- `server.printUrls` and `previewServer.printUrls` are now async
144142

145143
## Migration from v1
146144

‎packages/vite/src/node/__tests__/utils.spec.ts

+5-10
Original file line numberDiff line numberDiff line change
@@ -56,8 +56,7 @@ describe('resolveHostname', () => {
5656

5757
expect(await resolveHostname(undefined)).toEqual({
5858
host: 'localhost',
59-
name: resolved ?? 'localhost',
60-
implicit: true
59+
name: resolved ?? 'localhost'
6160
})
6261
})
6362

@@ -66,24 +65,21 @@ describe('resolveHostname', () => {
6665

6766
expect(await resolveHostname('localhost')).toEqual({
6867
host: 'localhost',
69-
name: resolved ?? 'localhost',
70-
implicit: false
68+
name: resolved ?? 'localhost'
7169
})
7270
})
7371

7472
test('accepts 0.0.0.0', async () => {
7573
expect(await resolveHostname('0.0.0.0')).toEqual({
7674
host: '0.0.0.0',
77-
name: 'localhost',
78-
implicit: false
75+
name: 'localhost'
7976
})
8077
})
8178

8279
test('accepts ::', async () => {
8380
expect(await resolveHostname('::')).toEqual({
8481
host: '::',
85-
name: 'localhost',
86-
implicit: false
82+
name: 'localhost'
8783
})
8884
})
8985

@@ -92,8 +88,7 @@ describe('resolveHostname', () => {
9288
await resolveHostname('0000:0000:0000:0000:0000:0000:0000:0000')
9389
).toEqual({
9490
host: '0000:0000:0000:0000:0000:0000:0000:0000',
95-
name: 'localhost',
96-
implicit: false
91+
name: 'localhost'
9792
})
9893
})
9994
})

‎packages/vite/src/node/index.ts

+2-1
Original file line numberDiff line numberDiff line change
@@ -17,7 +17,8 @@ export type {
1717
ServerOptions,
1818
FileSystemServeOptions,
1919
ServerHook,
20-
ResolvedServerOptions
20+
ResolvedServerOptions,
21+
ResolvedServerUrls
2122
} from './server'
2223
export type {
2324
BuildOptions,

‎packages/vite/src/node/logger.ts

+16-93
Original file line numberDiff line numberDiff line change
@@ -1,15 +1,9 @@
11
/* eslint no-console: 0 */
22

3-
import type { AddressInfo, Server } from 'node:net'
4-
import os from 'node:os'
53
import readline from 'readline'
64
import colors from 'picocolors'
75
import type { RollupError } from 'rollup'
8-
import type { CommonServerOptions } from './http'
9-
import type { Hostname } from './utils'
10-
import { resolveHostname } from './utils'
11-
import { loopbackHosts } from './constants'
12-
import type { ResolvedConfig } from '.'
6+
import type { ResolvedServerUrls } from './server'
137

148
export type LogType = 'error' | 'warn' | 'info'
159
export type LogLevel = LogType | 'silent'
@@ -145,94 +139,23 @@ export function createLogger(
145139
return logger
146140
}
147141

148-
export async function printCommonServerUrls(
149-
server: Server,
150-
options: CommonServerOptions,
151-
config: ResolvedConfig
152-
): Promise<void> {
153-
const address = server.address()
154-
const isAddressInfo = (x: any): x is AddressInfo => x?.address
155-
if (isAddressInfo(address)) {
156-
const hostname = await resolveHostname(options.host)
157-
const protocol = options.https ? 'https' : 'http'
158-
const base = config.base === './' || config.base === '' ? '/' : config.base
159-
printServerUrls(hostname, protocol, address.port, base, config.logger.info)
160-
}
161-
}
162-
163-
function printServerUrls(
164-
hostname: Hostname,
165-
protocol: string,
166-
port: number,
167-
base: string,
142+
export function printServerUrls(
143+
urls: ResolvedServerUrls,
144+
optionsHost: string | boolean | undefined,
168145
info: Logger['info']
169146
): void {
170-
const urls: Array<{ label: string; url: string; disabled?: boolean }> = []
171-
const notes: Array<{ label: string; message: string }> = []
172-
173-
if (hostname.host && loopbackHosts.has(hostname.host)) {
174-
let hostnameName = hostname.name
175-
if (
176-
hostnameName === '::1' ||
177-
hostnameName === '0000:0000:0000:0000:0000:0000:0000:0001'
178-
) {
179-
hostnameName = `[${hostnameName}]`
180-
}
181-
182-
urls.push({
183-
label: 'Local',
184-
url: colors.cyan(
185-
`${protocol}://${hostnameName}:${colors.bold(port)}${base}`
186-
)
187-
})
188-
189-
if (hostname.implicit) {
190-
urls.push({
191-
label: 'Network',
192-
url: `use ${colors.white(colors.bold('--host'))} to expose`,
193-
disabled: true
194-
})
195-
}
196-
} else {
197-
Object.values(os.networkInterfaces())
198-
.flatMap((nInterface) => nInterface ?? [])
199-
.filter(
200-
(detail) =>
201-
detail &&
202-
detail.address &&
203-
// Node < v18
204-
((typeof detail.family === 'string' && detail.family === 'IPv4') ||
205-
// Node >= v18
206-
(typeof detail.family === 'number' && detail.family === 4))
207-
)
208-
.forEach((detail) => {
209-
const host = detail.address.replace('127.0.0.1', hostname.name)
210-
const url = `${protocol}://${host}:${colors.bold(port)}${base}`
211-
const label = detail.address.includes('127.0.0.1') ? 'Local' : 'Network'
212-
213-
urls.push({ label, url: colors.cyan(url) })
214-
})
147+
const colorUrl = (url: string) =>
148+
colors.cyan(url.replace(/:(\d+)\//, (_, port) => `:${colors.bold(port)}/`))
149+
for (const url of urls.local) {
150+
info(` ${colors.green('➜')} ${colors.bold('Local')}: ${colorUrl(url)}`)
215151
}
216-
217-
const length = Math.max(
218-
...[...urls, ...notes].map(({ label }) => label.length)
219-
)
220-
const print = (
221-
iconWithColor: string,
222-
label: string,
223-
messageWithColor: string,
224-
disabled?: boolean
225-
) => {
226-
const message = ` ${iconWithColor} ${
227-
label ? colors.bold(label) + ':' : ' '
228-
} ${' '.repeat(length - label.length)}${messageWithColor}`
229-
info(disabled ? colors.dim(message) : message)
152+
for (const url of urls.network) {
153+
info(` ${colors.green('➜')} ${colors.bold('Network')}: ${colorUrl(url)}`)
154+
}
155+
if (urls.network.length === 0 && optionsHost === undefined) {
156+
const note = `use ${colors.white(colors.bold('--host'))} to expose`
157+
info(
158+
colors.dim(` ${colors.green('➜')} ${colors.bold('Network')}: ${note}`)
159+
)
230160
}
231-
232-
urls.forEach(({ label, url: text, disabled }) => {
233-
print(colors.green('➜'), label, text, disabled)
234-
})
235-
notes.forEach(({ label, message: text }) => {
236-
print(colors.white('❖'), label, text)
237-
})
238161
}

‎packages/vite/src/node/preview.ts

+19-6
Original file line numberDiff line numberDiff line change
@@ -4,14 +4,14 @@ import sirv from 'sirv'
44
import connect from 'connect'
55
import type { Connect } from 'types/connect'
66
import corsMiddleware from 'cors'
7-
import type { ResolvedServerOptions } from './server'
7+
import type { ResolvedServerOptions, ResolvedServerUrls } from './server'
88
import type { CommonServerOptions } from './http'
99
import { httpServerStart, resolveHttpServer, resolveHttpsConfig } from './http'
1010
import { openBrowser } from './server/openBrowser'
1111
import compression from './server/middlewares/compression'
1212
import { proxyMiddleware } from './server/middlewares/proxy'
13-
import { resolveHostname } from './utils'
14-
import { printCommonServerUrls } from './logger'
13+
import { resolveHostname, resolveServerUrls } from './utils'
14+
import { printServerUrls } from './logger'
1515
import { resolveConfig } from '.'
1616
import type { InlineConfig, ResolvedConfig } from '.'
1717

@@ -47,10 +47,16 @@ export interface PreviewServer {
4747
* native Node http server instance
4848
*/
4949
httpServer: http.Server
50+
/**
51+
* The resolved urls Vite prints on the
52+
*
53+
* @experimental
54+
*/
55+
resolvedUrls: ResolvedServerUrls
5056
/**
5157
* Print server urls
5258
*/
53-
printUrls: () => Promise<void>
59+
printUrls(): void
5460
}
5561

5662
export type PreviewServerHook = (server: {
@@ -127,6 +133,12 @@ export async function preview(
127133
logger
128134
})
129135

136+
const resolvedUrls = await resolveServerUrls(
137+
httpServer,
138+
config.preview,
139+
config
140+
)
141+
130142
if (options.open) {
131143
const path = typeof options.open === 'string' ? options.open : previewBase
132144
openBrowser(
@@ -141,8 +153,9 @@ export async function preview(
141153
return {
142154
config,
143155
httpServer,
144-
async printUrls() {
145-
await printCommonServerUrls(httpServer, config.preview, config)
156+
resolvedUrls,
157+
printUrls() {
158+
printServerUrls(resolvedUrls, options.host, logger.info)
146159
}
147160
}
148161
}

‎packages/vite/src/node/server/index.ts

+41-13
Original file line numberDiff line numberDiff line change
@@ -19,7 +19,8 @@ import {
1919
isParentDirectory,
2020
mergeConfig,
2121
normalizePath,
22-
resolveHostname
22+
resolveHostname,
23+
resolveServerUrls
2324
} from '../utils'
2425
import { ssrLoadModule } from '../ssr/ssrModuleLoader'
2526
import { cjsSsrResolveExternals } from '../ssr/ssrExternal'
@@ -35,7 +36,7 @@ import {
3536
} from '../optimizer'
3637
import { CLIENT_DIR } from '../constants'
3738
import type { Logger } from '../logger'
38-
import { printCommonServerUrls } from '../logger'
39+
import { printServerUrls } from '../logger'
3940
import { invalidatePackageData } from '../packages'
4041
import type { PluginContainer } from './pluginContainer'
4142
import { createPluginContainer } from './pluginContainer'
@@ -184,6 +185,13 @@ export interface ViteDevServer {
184185
* and hmr state.
185186
*/
186187
moduleGraph: ModuleGraph
188+
/**
189+
* The resolved urls Vite prints on the CLI. null in middleware mode or
190+
* before `server.listen` is called.
191+
*
192+
* @experimental
193+
*/
194+
resolvedUrls: ResolvedServerUrls | null
187195
/**
188196
* Programmatically resolve, load and transform a URL and get the result
189197
* without going through the http request pipeline.
@@ -234,7 +242,7 @@ export interface ViteDevServer {
234242
/**
235243
* Print server urls
236244
*/
237-
printUrls(): Promise<void>
245+
printUrls(): void
238246
/**
239247
* Restart the server.
240248
*
@@ -271,6 +279,11 @@ export interface ViteDevServer {
271279
>
272280
}
273281

282+
export interface ResolvedServerUrls {
283+
local: string[]
284+
network: string[]
285+
}
286+
274287
export async function createServer(
275288
inlineConfig: InlineConfig = {}
276289
): Promise<ViteDevServer> {
@@ -319,6 +332,7 @@ export async function createServer(
319332
pluginContainer: container,
320333
ws,
321334
moduleGraph,
335+
resolvedUrls: null, // will be set on listen
322336
ssrTransform(code: string, inMap: SourceMap | null, url: string) {
323337
return ssrTransform(code, inMap, url, code, {
324338
json: { stringify: server.config.json?.stringify }
@@ -350,8 +364,16 @@ export async function createServer(
350364
ssrRewriteStacktrace(stack: string) {
351365
return ssrRewriteStacktrace(stack, moduleGraph)
352366
},
353-
listen(port?: number, isRestart?: boolean) {
354-
return startServer(server, port, isRestart)
367+
async listen(port?: number, isRestart?: boolean) {
368+
await startServer(server, port, isRestart)
369+
if (httpServer) {
370+
server.resolvedUrls = await resolveServerUrls(
371+
httpServer,
372+
config.server,
373+
config
374+
)
375+
}
376+
return server
355377
},
356378
async close() {
357379
if (!middlewareMode) {
@@ -360,19 +382,27 @@ export async function createServer(
360382
process.stdin.off('end', exitProcess)
361383
}
362384
}
363-
364385
await Promise.all([
365386
watcher.close(),
366387
ws.close(),
367388
container.close(),
368389
closeHttpServer()
369390
])
391+
server.resolvedUrls = null
370392
},
371-
async printUrls() {
372-
if (httpServer) {
373-
await printCommonServerUrls(httpServer, config.server, config)
374-
} else {
393+
printUrls() {
394+
if (server.resolvedUrls) {
395+
printServerUrls(
396+
server.resolvedUrls,
397+
serverConfig.host,
398+
config.logger.info
399+
)
400+
} else if (middlewareMode) {
375401
throw new Error('cannot print server URLs in middleware mode.')
402+
} else {
403+
throw new Error(
404+
'cannot print server URLs before server.listen is called.'
405+
)
376406
}
377407
},
378408
async restart(forceOptimize?: boolean) {
@@ -572,7 +602,7 @@ async function startServer(
572602
server: ViteDevServer,
573603
inlinePort?: number,
574604
isRestart: boolean = false
575-
): Promise<ViteDevServer> {
605+
): Promise<void> {
576606
const httpServer = server.httpServer
577607
if (!httpServer) {
578608
throw new Error('Cannot call server.listen in middleware mode.')
@@ -622,8 +652,6 @@ async function startServer(
622652
server.config.logger
623653
)
624654
}
625-
626-
return server
627655
}
628656

629657
function createServerCloseFn(server: http.Server | null) {

‎packages/vite/src/node/utils.ts

+59-4
Original file line numberDiff line numberDiff line change
@@ -7,6 +7,7 @@ import { URL, URLSearchParams, pathToFileURL } from 'node:url'
77
import { builtinModules, createRequire } from 'node:module'
88
import { promises as dns } from 'node:dns'
99
import { performance } from 'node:perf_hooks'
10+
import type { AddressInfo, Server } from 'node:net'
1011
import resolve from 'resolve'
1112
import type { FSWatcher } from 'chokidar'
1213
import remapping from '@ampproject/remapping'
@@ -26,10 +27,13 @@ import {
2627
FS_PREFIX,
2728
OPTIMIZABLE_ENTRY_RE,
2829
VALID_ID_PREFIX,
30+
loopbackHosts,
2931
wildcardHosts
3032
} from './constants'
3133
import type { DepOptimizationConfig } from './optimizer'
32-
import type { ResolvedConfig } from '.'
34+
import type { ResolvedConfig } from './config'
35+
import type { ResolvedServerUrls } from './server'
36+
import type { CommonServerOptions } from '.'
3337

3438
/**
3539
* Inlined to keep `@rollup/pluginutils` in devDependencies
@@ -770,8 +774,6 @@ export interface Hostname {
770774
host: string | undefined
771775
/** resolve to localhost when possible */
772776
name: string
773-
/** if it is using the default behavior */
774-
implicit: boolean
775777
}
776778

777779
export async function resolveHostname(
@@ -799,7 +801,60 @@ export async function resolveHostname(
799801
}
800802
}
801803

802-
return { host, name, implicit: optionsHost === undefined }
804+
return { host, name }
805+
}
806+
807+
export async function resolveServerUrls(
808+
server: Server,
809+
options: CommonServerOptions,
810+
config: ResolvedConfig
811+
): Promise<ResolvedServerUrls> {
812+
const address = server.address()
813+
814+
const isAddressInfo = (x: any): x is AddressInfo => x?.address
815+
if (!isAddressInfo(address)) {
816+
return { local: [], network: [] }
817+
}
818+
819+
const local: string[] = []
820+
const network: string[] = []
821+
const hostname = await resolveHostname(options.host)
822+
const protocol = options.https ? 'https' : 'http'
823+
const port = address.port
824+
const base = config.base === './' || config.base === '' ? '/' : config.base
825+
826+
if (hostname.host && loopbackHosts.has(hostname.host)) {
827+
let hostnameName = hostname.name
828+
if (
829+
hostnameName === '::1' ||
830+
hostnameName === '0000:0000:0000:0000:0000:0000:0000:0001'
831+
) {
832+
hostnameName = `[${hostnameName}]`
833+
}
834+
local.push(`${protocol}://${hostnameName}:${port}${base}`)
835+
} else {
836+
Object.values(os.networkInterfaces())
837+
.flatMap((nInterface) => nInterface ?? [])
838+
.filter(
839+
(detail) =>
840+
detail &&
841+
detail.address &&
842+
// Node < v18
843+
((typeof detail.family === 'string' && detail.family === 'IPv4') ||
844+
// Node >= v18
845+
(typeof detail.family === 'number' && detail.family === 4))
846+
)
847+
.forEach((detail) => {
848+
const host = detail.address.replace('127.0.0.1', hostname.name)
849+
const url = `${protocol}://${host}:${port}${base}`
850+
if (detail.address.includes('127.0.0.1')) {
851+
local.push(url)
852+
} else {
853+
network.push(url)
854+
}
855+
})
856+
}
857+
return { local, network }
803858
}
804859

805860
export function arraify<T>(target: T | T[]): T[] {

1 commit comments

Comments
 (1)

charbelnicolas commented on Aug 19, 2022

@charbelnicolas

Hello, It would have be nice if you'd chosen a unicode character that has more coverage in popular terminal fonts:

from logger.ts:

"for (const url of urls.local) {
    info(`  ${colors.green('➜')}  ${colors.bold('Local')}:   ${colorUrl(url)}`)
  }"

Not many fonts have the HEAVY ROUND-TIPPED RIGHTWARDS ARROW (➜) character...

I would even argue that the arrow character is not even necessary but everyone wants new shiny icons nowadays for everything...

Please sign in to comment.