Skip to content

Commit 7e349f4

Browse files
authoredApr 29, 2024··
feat: add spinner (#7432)
Closes #7425 This is a little hard to test because everything should continue to work without progress, as evidenced by the lack of churn in the tests and snapshots here. The only existing tests that changed are the addition of newlines after prompts which is new behavior as part of this PR. I resorted to manually running some commands to get an idea of how the various states worked together: **`node . exec -- npm@4`** This should show progress at the start and then hide it as it prompts the user to install `npm@4`. `Ctrl+C` should exit from the prompt and the error should display on the next line (this is a current bug). **`node . audit signatures --loglevel=http`** This should show a lot of http log messages while always keeping the spinner on the last line of output. The spinner also should not jump between frames regardless of how quickly the log messages show up. **`node . pack`** This should immediately show the banners and output from `prepack` and not show the spinner until the actual packing is happening. **`node . login`** The spinner should never while the prompt is being displayed. **`node . view npm`** The spinner should appear while data is being fetched and then disappear for the rest of the command as output is being displayed. The end output on completion should not have any spinner frames rendered on new lines in the output. The old progress bar achieved this by calling `npmlog.disableProgress()` but now it is able to hide the spinner appropriately even while outputting individual lines to stdout.
1 parent 104fcb5 commit 7e349f4

File tree

14 files changed

+309
-167
lines changed

14 files changed

+309
-167
lines changed
 

‎DEPENDENCIES.md

-2
Original file line numberDiff line numberDiff line change
@@ -132,7 +132,6 @@ graph LR;
132132
npm-->pacote;
133133
npm-->parse-conflict-json;
134134
npm-->proc-log;
135-
npm-->proggy;
136135
npm-->read;
137136
npm-->semver;
138137
npm-->ssri;
@@ -527,7 +526,6 @@ graph LR;
527526
npm-->pacote;
528527
npm-->parse-conflict-json;
529528
npm-->proc-log;
530-
npm-->proggy;
531529
npm-->qrcode-terminal;
532530
npm-->read;
533531
npm-->remark-gfm;

‎lib/commands/init.js

+2-6
Original file line numberDiff line numberDiff line change
@@ -6,7 +6,7 @@ const npa = require('npm-package-arg')
66
const libexec = require('libnpmexec')
77
const mapWorkspaces = require('@npmcli/map-workspaces')
88
const PackageJson = require('@npmcli/package-json')
9-
const { log, output } = require('proc-log')
9+
const { log, output, input } = require('proc-log')
1010
const updateWorkspaces = require('../utils/update-workspaces.js')
1111
const BaseCommand = require('../base-cmd.js')
1212

@@ -148,8 +148,6 @@ class Init extends BaseCommand {
148148
}
149149

150150
async template (path = process.cwd()) {
151-
log.pause()
152-
153151
const initFile = this.npm.config.get('init-module')
154152
if (!this.npm.config.get('yes') && !this.npm.config.get('force')) {
155153
output.standard([
@@ -167,7 +165,7 @@ class Init extends BaseCommand {
167165
}
168166

169167
try {
170-
const data = await initJson(path, initFile, this.npm.config)
168+
const data = await input.read(() => initJson(path, initFile, this.npm.config))
171169
log.silly('package data', data)
172170
return data
173171
} catch (er) {
@@ -176,8 +174,6 @@ class Init extends BaseCommand {
176174
} else {
177175
throw er
178176
}
179-
} finally {
180-
log.resume()
181177
}
182178
}
183179

‎lib/utils/display.js

+211-93
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,4 @@
1-
const proggy = require('proggy')
2-
const { log, output, META } = require('proc-log')
1+
const { log, output, input, META } = require('proc-log')
32
const { explain } = require('./explain-eresolve.js')
43
const { formatWithOptions } = require('./format')
54

@@ -137,18 +136,17 @@ class Display {
137136
// Handlers are set immediately so they can buffer all events
138137
process.on('log', this.#logHandler)
139138
process.on('output', this.#outputHandler)
139+
process.on('input', this.#inputHandler)
140+
this.#progress = new Progress({ stream: stderr })
140141
}
141142

142143
off () {
143144
process.off('log', this.#logHandler)
144145
this.#logState.buffer.length = 0
145-
146146
process.off('output', this.#outputHandler)
147147
this.#outputState.buffer.length = 0
148-
149-
if (this.#progress) {
150-
this.#progress.stop()
151-
}
148+
process.off('input', this.#inputHandler)
149+
this.#progress.off()
152150
}
153151

154152
get chalk () {
@@ -170,7 +168,6 @@ class Display {
170168
timing,
171169
unicode,
172170
}) {
173-
this.#command = command
174171
// get createSupportsColor from chalk directly if this lands
175172
// https://github.com/chalk/chalk/pull/600
176173
const [{ Chalk }, { createSupportsColor }] = await Promise.all([
@@ -181,17 +178,14 @@ class Display {
181178
// what it knows about the environment to get color support since we already
182179
// determined in our definitions that we want to show colors.
183180
const level = Math.max(createSupportsColor(null).level, 1)
184-
185181
this.#noColorChalk = new Chalk({ level: 0 })
186-
187182
this.#stdoutColor = stdoutColor
188183
this.#stdoutChalk = stdoutColor ? new Chalk({ level }) : this.#noColorChalk
189-
190184
this.#stderrColor = stderrColor
191185
this.#stderrChalk = stderrColor ? new Chalk({ level }) : this.#noColorChalk
192-
193186
this.#logColors = COLOR_PALETTE({ chalk: this.#stderrChalk })
194187

188+
this.#command = command
195189
this.#levelIndex = LEVEL_OPTIONS[loglevel].index
196190
this.#timing = timing
197191
this.#json = json
@@ -201,104 +195,132 @@ class Display {
201195
// Emit resume event on the logs which will flush output
202196
log.resume()
203197
output.flush()
204-
this.#startProgress({ progress, unicode })
198+
this.#progress.load({
199+
unicode,
200+
enabled: !!progress && !this.#silent,
201+
})
205202
}
206203

207204
// STREAM WRITES
208205

209206
// Write formatted and (non-)colorized output to streams
210-
#stdoutWrite (options, ...args) {
211-
this.#stdout.write(formatWithOptions({ colors: this.#stdoutColor, ...options }, ...args))
212-
}
213-
214-
#stderrWrite (options, ...args) {
215-
this.#stderr.write(formatWithOptions({ colors: this.#stderrColor, ...options }, ...args))
207+
#write (stream, options, ...args) {
208+
const colors = stream === this.#stdout ? this.#stdoutColor : this.#stderrColor
209+
const value = formatWithOptions({ colors, ...options }, ...args)
210+
this.#progress.write(() => stream.write(value))
216211
}
217212

218213
// HANDLERS
219214

220215
// Arrow function assigned to a private class field so it can be passed
221216
// directly as a listener and still reference "this"
222217
#logHandler = withMeta((level, meta, ...args) => {
223-
if (level === log.KEYS.resume) {
224-
this.#logState.buffering = false
225-
this.#logState.buffer.forEach((item) => this.#tryWriteLog(...item))
226-
this.#logState.buffer.length = 0
227-
return
228-
}
229-
230-
if (level === log.KEYS.pause) {
231-
this.#logState.buffering = true
232-
return
233-
}
234-
235-
if (this.#logState.buffering) {
236-
this.#logState.buffer.push([level, meta, ...args])
237-
return
218+
switch (level) {
219+
case log.KEYS.resume:
220+
this.#logState.buffering = false
221+
this.#logState.buffer.forEach((item) => this.#tryWriteLog(...item))
222+
this.#logState.buffer.length = 0
223+
break
224+
225+
case log.KEYS.pause:
226+
this.#logState.buffering = true
227+
break
228+
229+
default:
230+
if (this.#logState.buffering) {
231+
this.#logState.buffer.push([level, meta, ...args])
232+
} else {
233+
this.#tryWriteLog(level, meta, ...args)
234+
}
235+
break
238236
}
239-
240-
this.#tryWriteLog(level, meta, ...args)
241237
})
242238

243239
// Arrow function assigned to a private class field so it can be passed
244240
// directly as a listener and still reference "this"
245241
#outputHandler = withMeta((level, meta, ...args) => {
246-
if (level === output.KEYS.flush) {
247-
this.#outputState.buffering = false
248-
249-
if (meta.jsonError && this.#json) {
250-
const json = {}
251-
for (const item of this.#outputState.buffer) {
252-
// index 2 skips the level and meta
253-
Object.assign(json, tryJsonParse(item[2]))
242+
switch (level) {
243+
case output.KEYS.flush:
244+
this.#outputState.buffering = false
245+
if (meta.jsonError && this.#json) {
246+
const json = {}
247+
for (const item of this.#outputState.buffer) {
248+
// index 2 skips the level and meta
249+
Object.assign(json, tryJsonParse(item[2]))
250+
}
251+
this.#writeOutput(
252+
output.KEYS.standard,
253+
meta,
254+
JSON.stringify({ ...json, error: meta.jsonError }, null, 2)
255+
)
256+
} else {
257+
this.#outputState.buffer.forEach((item) => this.#writeOutput(...item))
254258
}
255-
this.#writeOutput(
256-
output.KEYS.standard,
257-
meta,
258-
JSON.stringify({ ...json, error: meta.jsonError }, null, 2)
259-
)
260-
} else {
261-
this.#outputState.buffer.forEach((item) => this.#writeOutput(...item))
262-
}
263-
264-
this.#outputState.buffer.length = 0
265-
return
266-
}
267-
268-
if (level === output.KEYS.buffer) {
269-
this.#outputState.buffer.push([output.KEYS.standard, meta, ...args])
270-
return
271-
}
272-
273-
if (this.#outputState.buffering) {
274-
this.#outputState.buffer.push([level, meta, ...args])
275-
return
259+
this.#outputState.buffer.length = 0
260+
break
261+
262+
case output.KEYS.buffer:
263+
this.#outputState.buffer.push([output.KEYS.standard, meta, ...args])
264+
break
265+
266+
default:
267+
if (this.#outputState.buffering) {
268+
this.#outputState.buffer.push([level, meta, ...args])
269+
} else {
270+
// HACK: if it looks like the banner and we are in a state where we hide the
271+
// banner then dont write any output. This hack can be replaced with proc-log.META
272+
const isBanner = args.length === 1 &&
273+
typeof args[0] === 'string' &&
274+
args[0].startsWith('\n> ') &&
275+
args[0].endsWith('\n')
276+
const hideBanner = this.#silent || ['exec', 'explore'].includes(this.#command)
277+
if (!(isBanner && hideBanner)) {
278+
this.#writeOutput(level, meta, ...args)
279+
}
280+
}
281+
break
276282
}
283+
})
277284

278-
// HACK: if it looks like the banner and we are in a state where we hide the
279-
// banner then dont write any output. This hack can be replaced with proc-log.META
280-
const isBanner = args.length === 1 &&
281-
typeof args[0] === 'string' &&
282-
args[0].startsWith('\n> ') &&
283-
args[0].endsWith('\n')
284-
const hideBanner = this.#silent || ['exec', 'explore'].includes(this.#command)
285-
if (isBanner && hideBanner) {
286-
return
285+
#inputHandler = withMeta((level, meta, ...args) => {
286+
switch (level) {
287+
case input.KEYS.start:
288+
log.pause()
289+
this.#outputState.buffering = true
290+
this.#progress.off()
291+
break
292+
293+
case input.KEYS.end:
294+
log.resume()
295+
output.flush()
296+
this.#progress.resume()
297+
break
298+
299+
case input.KEYS.read: {
300+
// The convention when calling input.read is to pass in a single fn that returns
301+
// the promise to await. resolve and reject are provided by proc-log
302+
const [res, rej, p] = args
303+
return input.start(() => p()
304+
.then(res)
305+
.catch(rej)
306+
// Any call to procLog.input.read will render a prompt to the user, so we always
307+
// add a single newline of output to stdout to move the cursor to the next line
308+
.finally(() => output.standard('')))
309+
}
287310
}
288-
289-
this.#writeOutput(level, meta, ...args)
290311
})
291312

292313
// OUTPUT
293314

294315
#writeOutput (level, meta, ...args) {
295-
if (level === output.KEYS.standard) {
296-
this.#stdoutWrite({}, ...args)
297-
return
298-
}
299-
300-
if (level === output.KEYS.error) {
301-
this.#stderrWrite({}, ...args)
316+
switch (level) {
317+
case output.KEYS.standard:
318+
this.#write(this.#stdout, {}, ...args)
319+
break
320+
321+
case output.KEYS.error:
322+
this.#write(this.#stderr, {}, ...args)
323+
break
302324
}
303325
}
304326

@@ -344,22 +366,118 @@ class Display {
344366
this.#logColors[level](level),
345367
title ? this.#logColors.title(title) : null,
346368
]
347-
this.#stderrWrite({ prefix }, ...args)
348-
} else if (this.#progress) {
349-
// TODO: make this display a single log line of filtered messages
369+
this.#write(this.#stderr, { prefix }, ...args)
370+
}
371+
}
372+
}
373+
374+
class Progress {
375+
// Taken from https://github.com/sindresorhus/cli-spinners
376+
// MIT License
377+
// Copyright (c) Sindre Sorhus <sindresorhus@gmail.com> (https://sindresorhus.com)
378+
static dots = { duration: 80, frames: ['⠋', '⠙', '⠹', '⠸', '⠼', '⠴', '⠦', '⠧', '⠇', '⠏'] }
379+
static lines = { duration: 130, frames: ['-', '\\', '|', '/'] }
380+
381+
#stream
382+
#spinner
383+
#enabled = false
384+
385+
#frameIndex = 0
386+
#lastUpdate = 0
387+
#interval
388+
#timeout
389+
390+
// We are rendering is enabled option is set and we are not waiting for the render timeout
391+
get #rendering () {
392+
return this.#enabled && !this.#timeout
393+
}
394+
395+
// We are spinning if enabled option is set and the render interval has been set
396+
get #spinning () {
397+
return this.#enabled && this.#interval
398+
}
399+
400+
constructor ({ stream }) {
401+
this.#stream = stream
402+
}
403+
404+
load ({ enabled, unicode }) {
405+
this.#enabled = enabled
406+
this.#spinner = unicode ? Progress.dots : Progress.lines
407+
// Dont render the spinner for short durations
408+
this.#render(200)
409+
}
410+
411+
off () {
412+
if (!this.#enabled) {
413+
return
414+
}
415+
clearTimeout(this.#timeout)
416+
this.#timeout = null
417+
clearInterval(this.#interval)
418+
this.#interval = null
419+
this.#frameIndex = 0
420+
this.#lastUpdate = 0
421+
this.#clearSpinner()
422+
}
423+
424+
resume () {
425+
this.#render()
426+
}
427+
428+
// If we are currenting rendering the spinner we clear it
429+
// before writing our line and then re-render the spinner after.
430+
// If not then all we need to do is write the line
431+
write (write) {
432+
if (this.#spinning) {
433+
this.#clearSpinner()
434+
}
435+
write()
436+
if (this.#spinning) {
437+
this.#render()
350438
}
351439
}
352440

353-
// PROGRESS
441+
#render (ms) {
442+
if (ms) {
443+
this.#timeout = setTimeout(() => {
444+
this.#timeout = null
445+
this.#renderSpinner()
446+
}, ms)
447+
// Make sure this timeout does not keep the process open
448+
this.#timeout.unref()
449+
} else {
450+
this.#renderSpinner()
451+
}
452+
}
354453

355-
#startProgress ({ progress, unicode }) {
356-
if (!progress || this.#silent) {
454+
#renderSpinner () {
455+
if (!this.#rendering) {
357456
return
358457
}
359-
this.#progress = proggy.createClient({ normalize: true })
360-
// TODO: implement proggy trackers in arborist/doctor
361-
// TODO: listen to progress events here and build progress UI
362-
// TODO: see deprecated gauge package for what unicode chars were used
458+
// We always attempt to render immediately but we only request to move to the next
459+
// frame if it has been longer than our spinner frame duration since our last update
460+
this.#renderFrame(Date.now() - this.#lastUpdate >= this.#spinner.duration)
461+
clearInterval(this.#interval)
462+
this.#interval = setInterval(() => this.#renderFrame(true), this.#spinner.duration)
463+
}
464+
465+
#renderFrame (next) {
466+
if (next) {
467+
this.#lastUpdate = Date.now()
468+
this.#frameIndex++
469+
if (this.#frameIndex >= this.#spinner.frames.length) {
470+
this.#frameIndex = 0
471+
}
472+
}
473+
this.#clearSpinner()
474+
this.#stream.write(this.#spinner.frames[this.#frameIndex])
475+
}
476+
477+
#clearSpinner () {
478+
// Move to the start of the line and clear the rest of the line
479+
this.#stream.cursorTo(0)
480+
this.#stream.clearLine(1)
363481
}
364482
}
365483

‎lib/utils/open-url-prompt.js

+3-7
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,5 @@
11
const readline = require('readline')
2-
const { output } = require('proc-log')
2+
const { input, output } = require('proc-log')
33
const open = require('./open-url.js')
44

55
function print (npm, title, url) {
@@ -34,7 +34,7 @@ const promptOpen = async (npm, url, title, prompt, emitter) => {
3434
output: process.stdout,
3535
})
3636

37-
const tryOpen = await new Promise(resolve => {
37+
const tryOpen = await input.read(() => new Promise(resolve => {
3838
rl.on('SIGINT', () => {
3939
rl.close()
4040
resolve('SIGINT')
@@ -47,14 +47,10 @@ const promptOpen = async (npm, url, title, prompt, emitter) => {
4747
if (emitter && emitter.addListener) {
4848
emitter.addListener('abort', () => {
4949
rl.close()
50-
51-
// clear the prompt line
52-
output.standard('')
53-
5450
resolve(false)
5551
})
5652
}
57-
})
53+
}))
5854

5955
if (tryOpen === 'SIGINT') {
6056
throw new Error('canceled')

‎lib/utils/read-user-info.js

+4-2
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,6 @@
1-
const { read } = require('read')
1+
const { read: _read } = require('read')
22
const userValidate = require('npm-user-validate')
3-
const { log } = require('proc-log')
3+
const { log, input } = require('proc-log')
44

55
exports.otp = readOTP
66
exports.password = readPassword
@@ -16,6 +16,8 @@ const passwordPrompt = 'npm password: '
1616
const usernamePrompt = 'npm username: '
1717
const emailPrompt = 'email (this IS public): '
1818

19+
const read = (...args) => input.read(() => _read(...args))
20+
1921
function readOTP (msg = otpPrompt, otp, isRetry) {
2022
if (isRetry && otp && /^[\d ]+$|^[A-Fa-f0-9]{64,64}$/.test(otp)) {
2123
return otp.replace(/\s+/g, '')

‎package-lock.json

-3
Original file line numberDiff line numberDiff line change

‎package.json

-2
Original file line numberDiff line numberDiff line change
@@ -106,7 +106,6 @@
106106
"pacote": "^18.0.2",
107107
"parse-conflict-json": "^3.0.1",
108108
"proc-log": "^4.2.0",
109-
"proggy": "^2.0.0",
110109
"qrcode-terminal": "^0.12.0",
111110
"read": "^3.0.1",
112111
"semver": "^7.6.0",
@@ -177,7 +176,6 @@
177176
"pacote",
178177
"parse-conflict-json",
179178
"proc-log",
180-
"proggy",
181179
"qrcode-terminal",
182180
"read",
183181
"semver",

‎tap-snapshots/test/lib/commands/init.js.test.cjs

+1
Original file line numberDiff line numberDiff line change
@@ -20,5 +20,6 @@ Press ^C at any time to quit.
2020

2121
exports[`test/lib/commands/init.js TAP workspaces no args -- yes > should print helper info 1`] = `
2222
23+
2324
added 1 package in {TIME}
2425
`

‎test/fixtures/mock-logs.js

+2
Original file line numberDiff line numberDiff line change
@@ -41,6 +41,8 @@ module.exports = () => {
4141

4242
const streams = {
4343
stderr: {
44+
cursorTo: () => {},
45+
clearLine: () => {},
4446
write: (str) => {
4547
str = trimTrailingNewline(str)
4648

‎test/lib/commands/token.js

+6-4
Original file line numberDiff line numberDiff line change
@@ -265,6 +265,7 @@ t.test('token create', async t => {
265265
registry.createToken({ password, cidr })
266266
await npm.exec('token', ['create'])
267267
t.strictSame(outputs, [
268+
'',
268269
'Created publish token n3wt0k3n',
269270
'with IP whitelist: 10.0.0.0/8,192.168.1.0/24',
270271
])
@@ -291,6 +292,7 @@ t.test('token create read only', async t => {
291292
registry.createToken({ readonly: true, password })
292293
await npm.exec('token', ['create'])
293294
t.strictSame(outputs, [
295+
'',
294296
'Created read only token n3wt0k3n',
295297
])
296298
})
@@ -347,10 +349,10 @@ t.test('token create parseable output', async t => {
347349
}, { replace: true })
348350
registry.createToken({ password, cidr })
349351
await npm.exec('token', ['create'])
350-
t.equal(outputs[0], 'token\tn3wt0k3n')
351-
t.ok(outputs[1].startsWith('created\t'))
352-
t.equal(outputs[2], 'readonly\tfalse')
353-
t.equal(outputs[3], 'cidr_whitelist\t10.0.0.0/8,192.168.1.0/24')
352+
t.equal(outputs[1], 'token\tn3wt0k3n')
353+
t.ok(outputs[2].startsWith('created\t'))
354+
t.equal(outputs[3], 'readonly\tfalse')
355+
t.equal(outputs[4], 'cidr_whitelist\t10.0.0.0/8,192.168.1.0/24')
354356
})
355357

356358
t.test('token create ipv6 cidr', async t => {

‎test/lib/utils/display.js

+22-7
Original file line numberDiff line numberDiff line change
@@ -1,11 +1,12 @@
11
const t = require('tap')
2+
const timers = require('node:timers/promises')
23
const tmock = require('../../fixtures/tmock')
34
const mockLogs = require('../../fixtures/mock-logs')
45
const mockGlobals = require('@npmcli/mock-globals')
56
const { inspect } = require('util')
67

78
const mockDisplay = async (t, { mocks, load } = {}) => {
8-
const { log, output } = require('proc-log')
9+
const procLog = require('proc-log')
910

1011
const logs = mockLogs()
1112

@@ -25,9 +26,8 @@ const mockDisplay = async (t, { mocks, load } = {}) => {
2526

2627
t.teardown(() => display.off())
2728
return {
29+
...procLog,
2830
display,
29-
output,
30-
log,
3131
displayLoad,
3232
...logs.logs,
3333
}
@@ -72,16 +72,31 @@ t.test('can buffer output when paused', async t => {
7272
})
7373

7474
t.test('can do progress', async (t) => {
75-
const { log, logs } = await mockDisplay(t, {
75+
const { log, logs, outputs, outputErrors, output, input } = await mockDisplay(t, {
7676
load: {
7777
progress: true,
78-
loglevel: 'error',
7978
},
8079
})
8180

82-
log.silly('', 'this would go to progress')
81+
// wait for initial timer interval to load
82+
await timers.setTimeout(200)
83+
84+
log.error('', 'before input')
85+
output.standard('before input')
86+
87+
const end = input.start()
88+
log.error('', 'during input')
89+
output.standard('during input')
90+
end()
91+
92+
// wait long enough for all spinner frames to render
93+
await timers.setTimeout(800)
94+
log.error('', 'after input')
95+
output.standard('after input')
8396

84-
t.strictSame(logs, [], 'no logs were shown normally')
97+
t.strictSame([...new Set(outputErrors)].sort(), ['-', '/', '\\', '|'])
98+
t.strictSame(logs, ['error before input', 'error during input', 'error after input'])
99+
t.strictSame(outputs, ['before input', 'during input', 'after input'])
85100
})
86101

87102
t.test('handles log throwing', async (t) => {

‎test/lib/utils/read-user-info.js

+30-24
Original file line numberDiff line numberDiff line change
@@ -1,39 +1,45 @@
11
const t = require('tap')
2+
const procLog = require('proc-log')
23
const tmock = require('../../fixtures/tmock')
34

45
let readOpts = null
56
let readResult = null
6-
const read = { read: async (opts) => {
7-
readOpts = opts
8-
return readResult
9-
} }
10-
11-
const npmUserValidate = {
12-
username: (username) => {
13-
if (username === 'invalid') {
14-
return new Error('invalid username')
15-
}
16-
17-
return null
18-
},
19-
email: (email) => {
20-
if (email.startsWith('invalid')) {
21-
return new Error('invalid email')
22-
}
23-
24-
return null
25-
},
26-
}
27-
287
let logMsg = null
8+
299
const readUserInfo = tmock(t, '{LIB}/utils/read-user-info.js', {
30-
read,
10+
read: {
11+
read: async (opts) => {
12+
readOpts = opts
13+
return readResult
14+
},
15+
},
3116
'proc-log': {
17+
...procLog,
3218
log: {
19+
...procLog.log,
3320
warn: (msg) => logMsg = msg,
3421
},
22+
input: {
23+
...procLog.input,
24+
read: (fn) => fn(),
25+
},
26+
},
27+
'npm-user-validate': {
28+
username: (username) => {
29+
if (username === 'invalid') {
30+
return new Error('invalid username')
31+
}
32+
33+
return null
34+
},
35+
email: (email) => {
36+
if (email.startsWith('invalid')) {
37+
return new Error('invalid email')
38+
}
39+
40+
return null
41+
},
3542
},
36-
'npm-user-validate': npmUserValidate,
3743
})
3844

3945
t.beforeEach(() => {

‎workspaces/libnpmexec/lib/index.js

+11-15
Original file line numberDiff line numberDiff line change
@@ -4,18 +4,16 @@ const { mkdir } = require('fs/promises')
44
const Arborist = require('@npmcli/arborist')
55
const ciInfo = require('ci-info')
66
const crypto = require('crypto')
7-
const { log } = require('proc-log')
7+
const { log, input } = require('proc-log')
88
const npa = require('npm-package-arg')
99
const pacote = require('pacote')
1010
const { read } = require('read')
1111
const semver = require('semver')
12-
1312
const { fileExists, localFileExists } = require('./file-exists.js')
1413
const getBinFromManifest = require('./get-bin-from-manifest.js')
1514
const noTTY = require('./no-tty.js')
1615
const runScript = require('./run-script.js')
1716
const isWindows = require('./is-windows.js')
18-
1917
const { dirname, resolve } = require('path')
2018

2119
const binPaths = []
@@ -242,26 +240,24 @@ const exec = async (opts) => {
242240

243241
if (add.length) {
244242
if (!yes) {
245-
const missingPackages = add.map(a => `${a.replace(/@$/, '')}`)
243+
const addList = add.map(a => `${a.replace(/@$/, '')}`)
244+
246245
// set -n to always say no
247246
if (yes === false) {
248247
// Error message lists missing package(s) when process is canceled
249248
/* eslint-disable-next-line max-len */
250-
throw new Error(`npx canceled due to missing packages and no YES option: ${JSON.stringify(missingPackages)}`)
249+
throw new Error(`npx canceled due to missing packages and no YES option: ${JSON.stringify(addList)}`)
251250
}
252251

253252
if (noTTY() || ciInfo.isCI) {
254-
log.warn('exec', `The following package${
255-
add.length === 1 ? ' was' : 's were'
256-
} not found and will be installed: ${
257-
add.map((pkg) => pkg.replace(/@$/, '')).join(', ')
258-
}`)
253+
/* eslint-disable-next-line max-len */
254+
log.warn('exec', `The following package${add.length === 1 ? ' was' : 's were'} not found and will be installed: ${addList.join(', ')}`)
259255
} else {
260-
const addList = missingPackages.join('\n') + '\n'
261-
const prompt = `Need to install the following packages:\n${
262-
addList
263-
}Ok to proceed? `
264-
const confirm = await read({ prompt, default: 'y' })
256+
const confirm = await input.read(() => read({
257+
/* eslint-disable-next-line max-len */
258+
prompt: `Need to install the following packages:\n${addList.join('\n')}\nOk to proceed? `,
259+
default: 'y',
260+
}))
265261
if (confirm.trim().toLowerCase().charAt(0) !== 'y') {
266262
throw new Error('canceled')
267263
}

‎workspaces/libnpmexec/test/prompt.js

+17-2
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,4 @@
1-
const { log } = require('proc-log')
1+
const procLog = require('proc-log')
22
const { resolve } = require('path')
33
const t = require('tap')
44
const fs = require('fs/promises')
@@ -15,6 +15,13 @@ t.test('prompt, accepts', async t => {
1515
'ci-info': { isCI: false },
1616
'../../lib/no-tty.js': () => false,
1717
read: { read: async () => 'y' },
18+
'proc-log': {
19+
...procLog,
20+
input: {
21+
...procLog.input,
22+
read: (fn) => fn(),
23+
},
24+
},
1825
},
1926
})
2027

@@ -39,6 +46,13 @@ t.test('prompt, refuses', async t => {
3946
mocks: {
4047
'ci-info': { isCI: false },
4148
read: { read: async () => 'n' },
49+
'proc-log': {
50+
...procLog,
51+
input: {
52+
...procLog.input,
53+
read: (fn) => fn(),
54+
},
55+
},
4256
'../../lib/no-tty.js': () => false,
4357
},
4458
})
@@ -146,8 +160,9 @@ t.test('no prompt if CI, multiple packages', async t => {
146160
mocks: {
147161
'ci-info': { isCI: true },
148162
'proc-log': {
163+
...procLog,
149164
log: {
150-
...log,
165+
...procLog.log,
151166
warn (title, msg) {
152167
t.equal(title, 'exec', 'should warn exec title')
153168
// this message is nondeterministic as it queries manifests so we just

0 commit comments

Comments
 (0)
Please sign in to comment.