• Home
  • Line#
  • Scopes#
  • Navigate#
  • Raw
  • Download
1// Copyright Joyent, Inc. and other Node contributors.
2//
3// Permission is hereby granted, free of charge, to any person obtaining a
4// copy of this software and associated documentation files (the
5// "Software"), to deal in the Software without restriction, including
6// without limitation the rights to use, copy, modify, merge, publish,
7// distribute, sublicense, and/or sell copies of the Software, and to permit
8// persons to whom the Software is furnished to do so, subject to the
9// following conditions:
10//
11// The above copyright notice and this permission notice shall be included
12// in all copies or substantial portions of the Software.
13//
14// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
15// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
16// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN
17// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,
18// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR
19// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE
20// USE OR OTHER DEALINGS IN THE SOFTWARE.
21
22// Inspiration for this code comes from Salvatore Sanfilippo's linenoise.
23// https://github.com/antirez/linenoise
24// Reference:
25// * https://invisible-island.net/xterm/ctlseqs/ctlseqs.html
26// * http://www.3waylabs.com/nw/WWW/products/wizcon/vt220.html
27
28'use strict';
29
30const {
31  ArrayFrom,
32  ArrayPrototypeFilter,
33  ArrayPrototypeIndexOf,
34  ArrayPrototypeJoin,
35  ArrayPrototypeMap,
36  ArrayPrototypePop,
37  ArrayPrototypeReverse,
38  ArrayPrototypeSplice,
39  ArrayPrototypeUnshift,
40  DateNow,
41  FunctionPrototypeBind,
42  FunctionPrototypeCall,
43  MathCeil,
44  MathFloor,
45  MathMax,
46  MathMaxApply,
47  NumberIsFinite,
48  NumberIsNaN,
49  ObjectDefineProperty,
50  ObjectSetPrototypeOf,
51  RegExpPrototypeTest,
52  StringPrototypeCodePointAt,
53  StringPrototypeEndsWith,
54  StringPrototypeMatch,
55  StringPrototypeRepeat,
56  StringPrototypeReplace,
57  StringPrototypeSlice,
58  StringPrototypeSplit,
59  StringPrototypeStartsWith,
60  StringPrototypeTrim,
61  Promise,
62  Symbol,
63  SymbolAsyncIterator,
64  SafeStringIterator,
65} = primordials;
66
67const {
68  AbortError,
69  codes
70} = require('internal/errors');
71
72const {
73  ERR_INVALID_CALLBACK,
74  ERR_INVALID_CURSOR_POS,
75  ERR_INVALID_OPT_VALUE,
76} = codes;
77const {
78  validateAbortSignal,
79  validateArray,
80  validateString,
81  validateUint32,
82} = require('internal/validators');
83const {
84  inspect,
85  getStringWidth,
86  stripVTControlCharacters,
87} = require('internal/util/inspect');
88const EventEmitter = require('events');
89const {
90  charLengthAt,
91  charLengthLeft,
92  commonPrefix,
93  CSI,
94  emitKeys,
95  kSubstringSearch,
96} = require('internal/readline/utils');
97
98const { promisify } = require('internal/util');
99
100const { clearTimeout, setTimeout } = require('timers');
101const {
102  kEscape,
103  kClearToLineBeginning,
104  kClearToLineEnd,
105  kClearLine,
106  kClearScreenDown
107} = CSI;
108
109
110const { StringDecoder } = require('string_decoder');
111
112// Lazy load Readable for startup performance.
113let Readable;
114
115const kHistorySize = 30;
116const kMincrlfDelay = 100;
117// \r\n, \n, or \r followed by something other than \n
118const lineEnding = /\r?\n|\r(?!\n)/;
119
120const kLineObjectStream = Symbol('line object stream');
121
122const KEYPRESS_DECODER = Symbol('keypress-decoder');
123const ESCAPE_DECODER = Symbol('escape-decoder');
124
125// GNU readline library - keyseq-timeout is 500ms (default)
126const ESCAPE_CODE_TIMEOUT = 500;
127
128function createInterface(input, output, completer, terminal) {
129  return new Interface(input, output, completer, terminal);
130}
131
132
133function Interface(input, output, completer, terminal) {
134  if (!(this instanceof Interface)) {
135    return new Interface(input, output, completer, terminal);
136  }
137
138  this._sawReturnAt = 0;
139  // TODO(BridgeAR): Document this property. The name is not ideal, so we might
140  // want to expose an alias and document that instead.
141  this.isCompletionEnabled = true;
142  this._sawKeyPress = false;
143  this._previousKey = null;
144  this.escapeCodeTimeout = ESCAPE_CODE_TIMEOUT;
145  this.tabSize = 8;
146
147  FunctionPrototypeCall(EventEmitter, this);
148  let history;
149  let historySize;
150  let removeHistoryDuplicates = false;
151  let crlfDelay;
152  let prompt = '> ';
153  let signal;
154  if (input && input.input) {
155    // An options object was given
156    output = input.output;
157    completer = input.completer;
158    terminal = input.terminal;
159    history = input.history;
160    historySize = input.historySize;
161    signal = input.signal;
162    if (input.tabSize !== undefined) {
163      validateUint32(input.tabSize, 'tabSize', true);
164      this.tabSize = input.tabSize;
165    }
166    removeHistoryDuplicates = input.removeHistoryDuplicates;
167    if (input.prompt !== undefined) {
168      prompt = input.prompt;
169    }
170    if (input.escapeCodeTimeout !== undefined) {
171      if (NumberIsFinite(input.escapeCodeTimeout)) {
172        this.escapeCodeTimeout = input.escapeCodeTimeout;
173      } else {
174        throw new ERR_INVALID_OPT_VALUE(
175          'escapeCodeTimeout',
176          this.escapeCodeTimeout
177        );
178      }
179    }
180
181    if (signal) {
182      validateAbortSignal(signal, 'options.signal');
183    }
184
185    crlfDelay = input.crlfDelay;
186    input = input.input;
187  }
188
189  if (completer !== undefined && typeof completer !== 'function') {
190    throw new ERR_INVALID_OPT_VALUE('completer', completer);
191  }
192
193  if (history === undefined) {
194    history = [];
195  } else {
196    validateArray(history, 'history');
197  }
198
199  if (historySize === undefined) {
200    historySize = kHistorySize;
201  }
202
203  if (typeof historySize !== 'number' ||
204      NumberIsNaN(historySize) ||
205      historySize < 0) {
206    throw new ERR_INVALID_OPT_VALUE.RangeError('historySize', historySize);
207  }
208
209  // Backwards compat; check the isTTY prop of the output stream
210  //  when `terminal` was not specified
211  if (terminal === undefined && !(output === null || output === undefined)) {
212    terminal = !!output.isTTY;
213  }
214
215  const self = this;
216
217  this.line = '';
218  this[kSubstringSearch] = null;
219  this.output = output;
220  this.input = input;
221  this.history = history;
222  this.historySize = historySize;
223  this.removeHistoryDuplicates = !!removeHistoryDuplicates;
224  this.crlfDelay = crlfDelay ?
225    MathMax(kMincrlfDelay, crlfDelay) : kMincrlfDelay;
226  // Check arity, 2 - for async, 1 for sync
227  if (typeof completer === 'function') {
228    this.completer = completer.length === 2 ?
229      completer :
230      function completerWrapper(v, cb) {
231        cb(null, completer(v));
232      };
233  }
234
235  this._questionCancel = FunctionPrototypeBind(_questionCancel, this);
236
237  this.setPrompt(prompt);
238
239  this.terminal = !!terminal;
240
241  if (process.env.TERM === 'dumb') {
242    this._ttyWrite = FunctionPrototypeBind(_ttyWriteDumb, this);
243  }
244
245  function ondata(data) {
246    self._normalWrite(data);
247  }
248
249  function onend() {
250    if (typeof self._line_buffer === 'string' &&
251        self._line_buffer.length > 0) {
252      self.emit('line', self._line_buffer);
253    }
254    self.close();
255  }
256
257  function ontermend() {
258    if (typeof self.line === 'string' && self.line.length > 0) {
259      self.emit('line', self.line);
260    }
261    self.close();
262  }
263
264  function onkeypress(s, key) {
265    self._ttyWrite(s, key);
266    if (key && key.sequence) {
267      // If the key.sequence is half of a surrogate pair
268      // (>= 0xd800 and <= 0xdfff), refresh the line so
269      // the character is displayed appropriately.
270      const ch = StringPrototypeCodePointAt(key.sequence, 0);
271      if (ch >= 0xd800 && ch <= 0xdfff)
272        self._refreshLine();
273    }
274  }
275
276  function onresize() {
277    self._refreshLine();
278  }
279
280  this[kLineObjectStream] = undefined;
281
282  if (!this.terminal) {
283    function onSelfCloseWithoutTerminal() {
284      input.removeListener('data', ondata);
285      input.removeListener('end', onend);
286    }
287
288    input.on('data', ondata);
289    input.on('end', onend);
290    self.once('close', onSelfCloseWithoutTerminal);
291    this._decoder = new StringDecoder('utf8');
292  } else {
293    function onSelfCloseWithTerminal() {
294      input.removeListener('keypress', onkeypress);
295      input.removeListener('end', ontermend);
296      if (output !== null && output !== undefined) {
297        output.removeListener('resize', onresize);
298      }
299    }
300
301    emitKeypressEvents(input, this);
302
303    // `input` usually refers to stdin
304    input.on('keypress', onkeypress);
305    input.on('end', ontermend);
306
307    this._setRawMode(true);
308    this.terminal = true;
309
310    // Cursor position on the line.
311    this.cursor = 0;
312
313    this.historyIndex = -1;
314
315    if (output !== null && output !== undefined)
316      output.on('resize', onresize);
317
318    self.once('close', onSelfCloseWithTerminal);
319  }
320
321  if (signal) {
322    const onAborted = () => self.close();
323    if (signal.aborted) {
324      process.nextTick(onAborted);
325    } else {
326      signal.addEventListener('abort', onAborted, { once: true });
327      self.once('close', () => signal.removeEventListener('abort', onAborted));
328    }
329  }
330
331  // Current line
332  this.line = '';
333
334  input.resume();
335}
336
337ObjectSetPrototypeOf(Interface.prototype, EventEmitter.prototype);
338ObjectSetPrototypeOf(Interface, EventEmitter);
339
340ObjectDefineProperty(Interface.prototype, 'columns', {
341  configurable: true,
342  enumerable: true,
343  get: function() {
344    if (this.output && this.output.columns)
345      return this.output.columns;
346    return Infinity;
347  }
348});
349
350Interface.prototype.setPrompt = function(prompt) {
351  this._prompt = prompt;
352};
353
354
355Interface.prototype.getPrompt = function() {
356  return this._prompt;
357};
358
359
360Interface.prototype._setRawMode = function(mode) {
361  const wasInRawMode = this.input.isRaw;
362
363  if (typeof this.input.setRawMode === 'function') {
364    this.input.setRawMode(mode);
365  }
366
367  return wasInRawMode;
368};
369
370
371Interface.prototype.prompt = function(preserveCursor) {
372  if (this.paused) this.resume();
373  if (this.terminal && process.env.TERM !== 'dumb') {
374    if (!preserveCursor) this.cursor = 0;
375    this._refreshLine();
376  } else {
377    this._writeToOutput(this._prompt);
378  }
379};
380
381
382Interface.prototype.question = function(query, options, cb) {
383  cb = typeof options === 'function' ? options : cb;
384  options = typeof options === 'object' ? options : {};
385
386  if (options.signal) {
387    options.signal.addEventListener('abort', () => {
388      this._questionCancel();
389    }, { once: true });
390  }
391
392  if (typeof cb === 'function') {
393    if (this._questionCallback) {
394      this.prompt();
395    } else {
396      this._oldPrompt = this._prompt;
397      this.setPrompt(query);
398      this._questionCallback = cb;
399      this.prompt();
400    }
401  }
402};
403
404Interface.prototype.question[promisify.custom] = function(query, options) {
405  options = typeof options === 'object' ? options : {};
406
407  return new Promise((resolve, reject) => {
408    this.question(query, options, resolve);
409
410    if (options.signal) {
411      options.signal.addEventListener('abort', () => {
412        reject(new AbortError());
413      }, { once: true });
414    }
415  });
416};
417
418function _questionCancel() {
419  if (this._questionCallback) {
420    this._questionCallback = null;
421    this.setPrompt(this._oldPrompt);
422    this.clearLine();
423  }
424}
425
426
427Interface.prototype._onLine = function(line) {
428  if (this._questionCallback) {
429    const cb = this._questionCallback;
430    this._questionCallback = null;
431    this.setPrompt(this._oldPrompt);
432    cb(line);
433  } else {
434    this.emit('line', line);
435  }
436};
437
438Interface.prototype._writeToOutput = function _writeToOutput(stringToWrite) {
439  validateString(stringToWrite, 'stringToWrite');
440
441  if (this.output !== null && this.output !== undefined) {
442    this.output.write(stringToWrite);
443  }
444};
445
446Interface.prototype._addHistory = function() {
447  if (this.line.length === 0) return '';
448
449  // If the history is disabled then return the line
450  if (this.historySize === 0) return this.line;
451
452  // If the trimmed line is empty then return the line
453  if (StringPrototypeTrim(this.line).length === 0) return this.line;
454
455  if (this.history.length === 0 || this.history[0] !== this.line) {
456    if (this.removeHistoryDuplicates) {
457      // Remove older history line if identical to new one
458      const dupIndex = ArrayPrototypeIndexOf(this.history, this.line);
459      if (dupIndex !== -1) ArrayPrototypeSplice(this.history, dupIndex, 1);
460    }
461
462    ArrayPrototypeUnshift(this.history, this.line);
463
464    // Only store so many
465    if (this.history.length > this.historySize) ArrayPrototypePop(this.history);
466  }
467
468  this.historyIndex = -1;
469
470  // The listener could change the history object, possibly
471  // to remove the last added entry if it is sensitive and should
472  // not be persisted in the history, like a password
473  const line = this.history[0];
474
475  // Emit history event to notify listeners of update
476  this.emit('history', this.history);
477
478  return line;
479};
480
481
482Interface.prototype._refreshLine = function() {
483  // line length
484  const line = this._prompt + this.line;
485  const dispPos = this._getDisplayPos(line);
486  const lineCols = dispPos.cols;
487  const lineRows = dispPos.rows;
488
489  // cursor position
490  const cursorPos = this.getCursorPos();
491
492  // First move to the bottom of the current line, based on cursor pos
493  const prevRows = this.prevRows || 0;
494  if (prevRows > 0) {
495    moveCursor(this.output, 0, -prevRows);
496  }
497
498  // Cursor to left edge.
499  cursorTo(this.output, 0);
500  // erase data
501  clearScreenDown(this.output);
502
503  // Write the prompt and the current buffer content.
504  this._writeToOutput(line);
505
506  // Force terminal to allocate a new line
507  if (lineCols === 0) {
508    this._writeToOutput(' ');
509  }
510
511  // Move cursor to original position.
512  cursorTo(this.output, cursorPos.cols);
513
514  const diff = lineRows - cursorPos.rows;
515  if (diff > 0) {
516    moveCursor(this.output, 0, -diff);
517  }
518
519  this.prevRows = cursorPos.rows;
520};
521
522
523Interface.prototype.close = function() {
524  if (this.closed) return;
525  this.pause();
526  if (this.terminal) {
527    this._setRawMode(false);
528  }
529  this.closed = true;
530  this.emit('close');
531};
532
533
534Interface.prototype.pause = function() {
535  if (this.paused) return;
536  this.input.pause();
537  this.paused = true;
538  this.emit('pause');
539  return this;
540};
541
542
543Interface.prototype.resume = function() {
544  if (!this.paused) return;
545  this.input.resume();
546  this.paused = false;
547  this.emit('resume');
548  return this;
549};
550
551
552Interface.prototype.write = function(d, key) {
553  if (this.paused) this.resume();
554  if (this.terminal) {
555    this._ttyWrite(d, key);
556  } else {
557    this._normalWrite(d);
558  }
559};
560
561Interface.prototype._normalWrite = function(b) {
562  if (b === undefined) {
563    return;
564  }
565  let string = this._decoder.write(b);
566  if (this._sawReturnAt &&
567      DateNow() - this._sawReturnAt <= this.crlfDelay) {
568    string = StringPrototypeReplace(string, /^\n/, '');
569    this._sawReturnAt = 0;
570  }
571
572  // Run test() on the new string chunk, not on the entire line buffer.
573  const newPartContainsEnding = RegExpPrototypeTest(lineEnding, string);
574
575  if (this._line_buffer) {
576    string = this._line_buffer + string;
577    this._line_buffer = null;
578  }
579  if (newPartContainsEnding) {
580    this._sawReturnAt = StringPrototypeEndsWith(string, '\r') ? DateNow() : 0;
581
582    // Got one or more newlines; process into "line" events
583    const lines = StringPrototypeSplit(string, lineEnding);
584    // Either '' or (conceivably) the unfinished portion of the next line
585    string = ArrayPrototypePop(lines);
586    this._line_buffer = string;
587    for (let n = 0; n < lines.length; n++)
588      this._onLine(lines[n]);
589  } else if (string) {
590    // No newlines this time, save what we have for next time
591    this._line_buffer = string;
592  }
593};
594
595Interface.prototype._insertString = function(c) {
596  if (this.cursor < this.line.length) {
597    const beg = StringPrototypeSlice(this.line, 0, this.cursor);
598    const end = StringPrototypeSlice(this.line, this.cursor, this.line.length);
599    this.line = beg + c + end;
600    this.cursor += c.length;
601    this._refreshLine();
602  } else {
603    this.line += c;
604    this.cursor += c.length;
605
606    if (this.getCursorPos().cols === 0) {
607      this._refreshLine();
608    } else {
609      this._writeToOutput(c);
610    }
611  }
612};
613
614Interface.prototype._tabComplete = function(lastKeypressWasTab) {
615  this.pause();
616  const string = StringPrototypeSlice(this.line, 0, this.cursor);
617  this.completer(string, (err, value) => {
618    this.resume();
619
620    if (err) {
621      this._writeToOutput(`Tab completion error: ${inspect(err)}`);
622      return;
623    }
624
625    // Result and the text that was completed.
626    const { 0: completions, 1: completeOn } = value;
627
628    if (!completions || completions.length === 0) {
629      return;
630    }
631
632    // If there is a common prefix to all matches, then apply that portion.
633    const prefix = commonPrefix(ArrayPrototypeFilter(completions,
634                                                     (e) => e !== ''));
635    if (StringPrototypeStartsWith(prefix, completeOn) &&
636        prefix.length > completeOn.length) {
637      this._insertString(StringPrototypeSlice(prefix, completeOn.length));
638      return;
639    } else if (!StringPrototypeStartsWith(completeOn, prefix)) {
640      this.line = StringPrototypeSlice(this.line,
641                                       0,
642                                       this.cursor - completeOn.length) +
643                  prefix +
644                  StringPrototypeSlice(this.line,
645                                       this.cursor,
646                                       this.line.length);
647      this.cursor = this.cursor - completeOn.length + prefix.length;
648      this._refreshLine();
649      return;
650    }
651
652    if (!lastKeypressWasTab) {
653      return;
654    }
655
656    // Apply/show completions.
657    const completionsWidth = ArrayPrototypeMap(completions,
658                                               (e) => getStringWidth(e));
659    const width = MathMaxApply(completionsWidth) + 2; // 2 space padding
660    let maxColumns = MathFloor(this.columns / width) || 1;
661    if (maxColumns === Infinity) {
662      maxColumns = 1;
663    }
664    let output = '\r\n';
665    let lineIndex = 0;
666    let whitespace = 0;
667    for (let i = 0; i < completions.length; i++) {
668      const completion = completions[i];
669      if (completion === '' || lineIndex === maxColumns) {
670        output += '\r\n';
671        lineIndex = 0;
672        whitespace = 0;
673      } else {
674        output += StringPrototypeRepeat(' ', whitespace);
675      }
676      if (completion !== '') {
677        output += completion;
678        whitespace = width - completionsWidth[i];
679        lineIndex++;
680      } else {
681        output += '\r\n';
682      }
683    }
684    if (lineIndex !== 0) {
685      output += '\r\n\r\n';
686    }
687    this._writeToOutput(output);
688    this._refreshLine();
689  });
690};
691
692Interface.prototype._wordLeft = function() {
693  if (this.cursor > 0) {
694    // Reverse the string and match a word near beginning
695    // to avoid quadratic time complexity
696    const leading = StringPrototypeSlice(this.line, 0, this.cursor);
697    const reversed = ArrayPrototypeJoin(
698      ArrayPrototypeReverse(ArrayFrom(leading)), '');
699    const match = StringPrototypeMatch(reversed, /^\s*(?:[^\w\s]+|\w+)?/);
700    this._moveCursor(-match[0].length);
701  }
702};
703
704
705Interface.prototype._wordRight = function() {
706  if (this.cursor < this.line.length) {
707    const trailing = StringPrototypeSlice(this.line, this.cursor);
708    const match = StringPrototypeMatch(trailing, /^(?:\s+|[^\w\s]+|\w+)\s*/);
709    this._moveCursor(match[0].length);
710  }
711};
712
713Interface.prototype._deleteLeft = function() {
714  if (this.cursor > 0 && this.line.length > 0) {
715    // The number of UTF-16 units comprising the character to the left
716    const charSize = charLengthLeft(this.line, this.cursor);
717    this.line = StringPrototypeSlice(this.line, 0, this.cursor - charSize) +
718                StringPrototypeSlice(this.line, this.cursor, this.line.length);
719
720    this.cursor -= charSize;
721    this._refreshLine();
722  }
723};
724
725
726Interface.prototype._deleteRight = function() {
727  if (this.cursor < this.line.length) {
728    // The number of UTF-16 units comprising the character to the left
729    const charSize = charLengthAt(this.line, this.cursor);
730    this.line = StringPrototypeSlice(this.line, 0, this.cursor) +
731      StringPrototypeSlice(this.line, this.cursor + charSize, this.line.length);
732    this._refreshLine();
733  }
734};
735
736
737Interface.prototype._deleteWordLeft = function() {
738  if (this.cursor > 0) {
739    // Reverse the string and match a word near beginning
740    // to avoid quadratic time complexity
741    let leading = StringPrototypeSlice(this.line, 0, this.cursor);
742    const reversed = ArrayPrototypeJoin(
743      ArrayPrototypeReverse(ArrayFrom(leading)), '');
744    const match = StringPrototypeMatch(reversed, /^\s*(?:[^\w\s]+|\w+)?/);
745    leading = StringPrototypeSlice(leading, 0,
746                                   leading.length - match[0].length);
747    this.line = leading + StringPrototypeSlice(this.line, this.cursor,
748                                               this.line.length);
749    this.cursor = leading.length;
750    this._refreshLine();
751  }
752};
753
754
755Interface.prototype._deleteWordRight = function() {
756  if (this.cursor < this.line.length) {
757    const trailing = StringPrototypeSlice(this.line, this.cursor);
758    const match = StringPrototypeMatch(trailing, /^(?:\s+|\W+|\w+)\s*/);
759    this.line = StringPrototypeSlice(this.line, 0, this.cursor) +
760                StringPrototypeSlice(trailing, match[0].length);
761    this._refreshLine();
762  }
763};
764
765
766Interface.prototype._deleteLineLeft = function() {
767  this.line = StringPrototypeSlice(this.line, this.cursor);
768  this.cursor = 0;
769  this._refreshLine();
770};
771
772
773Interface.prototype._deleteLineRight = function() {
774  this.line = StringPrototypeSlice(this.line, 0, this.cursor);
775  this._refreshLine();
776};
777
778
779Interface.prototype.clearLine = function() {
780  this._moveCursor(+Infinity);
781  this._writeToOutput('\r\n');
782  this.line = '';
783  this.cursor = 0;
784  this.prevRows = 0;
785};
786
787
788Interface.prototype._line = function() {
789  const line = this._addHistory();
790  this.clearLine();
791  this._onLine(line);
792};
793
794// TODO(BridgeAR): Add underscores to the search part and a red background in
795// case no match is found. This should only be the visual part and not the
796// actual line content!
797// TODO(BridgeAR): In case the substring based search is active and the end is
798// reached, show a comment how to search the history as before. E.g., using
799// <ctrl> + N. Only show this after two/three UPs or DOWNs, not on the first
800// one.
801Interface.prototype._historyNext = function() {
802  if (this.historyIndex >= 0) {
803    const search = this[kSubstringSearch] || '';
804    let index = this.historyIndex - 1;
805    while (index >= 0 &&
806           (!StringPrototypeStartsWith(this.history[index], search) ||
807             this.line === this.history[index])) {
808      index--;
809    }
810    if (index === -1) {
811      this.line = search;
812    } else {
813      this.line = this.history[index];
814    }
815    this.historyIndex = index;
816    this.cursor = this.line.length; // Set cursor to end of line.
817    this._refreshLine();
818  }
819};
820
821Interface.prototype._historyPrev = function() {
822  if (this.historyIndex < this.history.length && this.history.length) {
823    const search = this[kSubstringSearch] || '';
824    let index = this.historyIndex + 1;
825    while (index < this.history.length &&
826           (!StringPrototypeStartsWith(this.history[index], search) ||
827             this.line === this.history[index])) {
828      index++;
829    }
830    if (index === this.history.length) {
831      this.line = search;
832    } else {
833      this.line = this.history[index];
834    }
835    this.historyIndex = index;
836    this.cursor = this.line.length; // Set cursor to end of line.
837    this._refreshLine();
838  }
839};
840
841// Returns the last character's display position of the given string
842Interface.prototype._getDisplayPos = function(str) {
843  let offset = 0;
844  const col = this.columns;
845  let rows = 0;
846  str = stripVTControlCharacters(str);
847  for (const char of new SafeStringIterator(str)) {
848    if (char === '\n') {
849      // Rows must be incremented by 1 even if offset = 0 or col = +Infinity.
850      rows += MathCeil(offset / col) || 1;
851      offset = 0;
852      continue;
853    }
854    // Tabs must be aligned by an offset of the tab size.
855    if (char === '\t') {
856      offset += this.tabSize - (offset % this.tabSize);
857      continue;
858    }
859    const width = getStringWidth(char);
860    if (width === 0 || width === 1) {
861      offset += width;
862    } else { // width === 2
863      if ((offset + 1) % col === 0) {
864        offset++;
865      }
866      offset += 2;
867    }
868  }
869  const cols = offset % col;
870  rows += (offset - cols) / col;
871  return { cols, rows };
872};
873
874// Returns current cursor's position and line
875Interface.prototype.getCursorPos = function() {
876  const strBeforeCursor = this._prompt +
877                          StringPrototypeSlice(this.line, 0, this.cursor);
878  return this._getDisplayPos(strBeforeCursor);
879};
880Interface.prototype._getCursorPos = Interface.prototype.getCursorPos;
881
882// This function moves cursor dx places to the right
883// (-dx for left) and refreshes the line if it is needed.
884Interface.prototype._moveCursor = function(dx) {
885  if (dx === 0) {
886    return;
887  }
888  const oldPos = this.getCursorPos();
889  this.cursor += dx;
890
891  // Bounds check
892  if (this.cursor < 0) {
893    this.cursor = 0;
894  } else if (this.cursor > this.line.length) {
895    this.cursor = this.line.length;
896  }
897
898  const newPos = this.getCursorPos();
899
900  // Check if cursor stayed on the line.
901  if (oldPos.rows === newPos.rows) {
902    const diffWidth = newPos.cols - oldPos.cols;
903    moveCursor(this.output, diffWidth, 0);
904  } else {
905    this._refreshLine();
906  }
907};
908
909function _ttyWriteDumb(s, key) {
910  key = key || {};
911
912  if (key.name === 'escape') return;
913
914  if (this._sawReturnAt && key.name !== 'enter')
915    this._sawReturnAt = 0;
916
917  if (key.ctrl) {
918    if (key.name === 'c') {
919      if (this.listenerCount('SIGINT') > 0) {
920        this.emit('SIGINT');
921      } else {
922        // This readline instance is finished
923        this.close();
924      }
925
926      return;
927    } else if (key.name === 'd') {
928      this.close();
929      return;
930    }
931  }
932
933  switch (key.name) {
934    case 'return':  // Carriage return, i.e. \r
935      this._sawReturnAt = DateNow();
936      this._line();
937      break;
938
939    case 'enter':
940      // When key interval > crlfDelay
941      if (this._sawReturnAt === 0 ||
942          DateNow() - this._sawReturnAt > this.crlfDelay) {
943        this._line();
944      }
945      this._sawReturnAt = 0;
946      break;
947
948    default:
949      if (typeof s === 'string' && s) {
950        this.line += s;
951        this.cursor += s.length;
952        this._writeToOutput(s);
953      }
954  }
955}
956
957// Handle a write from the tty
958Interface.prototype._ttyWrite = function(s, key) {
959  const previousKey = this._previousKey;
960  key = key || {};
961  this._previousKey = key;
962
963  // Activate or deactivate substring search.
964  if ((key.name === 'up' || key.name === 'down') &&
965      !key.ctrl && !key.meta && !key.shift) {
966    if (this[kSubstringSearch] === null) {
967      this[kSubstringSearch] = StringPrototypeSlice(this.line, 0, this.cursor);
968    }
969  } else if (this[kSubstringSearch] !== null) {
970    this[kSubstringSearch] = null;
971    // Reset the index in case there's no match.
972    if (this.history.length === this.historyIndex) {
973      this.historyIndex = -1;
974    }
975  }
976
977  // Ignore escape key, fixes
978  // https://github.com/nodejs/node-v0.x-archive/issues/2876.
979  if (key.name === 'escape') return;
980
981  if (key.ctrl && key.shift) {
982    /* Control and shift pressed */
983    switch (key.name) {
984      // TODO(BridgeAR): The transmitted escape sequence is `\b` and that is
985      // identical to <ctrl>-h. It should have a unique escape sequence.
986      case 'backspace':
987        this._deleteLineLeft();
988        break;
989
990      case 'delete':
991        this._deleteLineRight();
992        break;
993    }
994
995  } else if (key.ctrl) {
996    /* Control key pressed */
997
998    switch (key.name) {
999      case 'c':
1000        if (this.listenerCount('SIGINT') > 0) {
1001          this.emit('SIGINT');
1002        } else {
1003          // This readline instance is finished
1004          this.close();
1005        }
1006        break;
1007
1008      case 'h': // delete left
1009        this._deleteLeft();
1010        break;
1011
1012      case 'd': // delete right or EOF
1013        if (this.cursor === 0 && this.line.length === 0) {
1014          // This readline instance is finished
1015          this.close();
1016        } else if (this.cursor < this.line.length) {
1017          this._deleteRight();
1018        }
1019        break;
1020
1021      case 'u': // Delete from current to start of line
1022        this._deleteLineLeft();
1023        break;
1024
1025      case 'k': // Delete from current to end of line
1026        this._deleteLineRight();
1027        break;
1028
1029      case 'a': // Go to the start of the line
1030        this._moveCursor(-Infinity);
1031        break;
1032
1033      case 'e': // Go to the end of the line
1034        this._moveCursor(+Infinity);
1035        break;
1036
1037      case 'b': // back one character
1038        this._moveCursor(-charLengthLeft(this.line, this.cursor));
1039        break;
1040
1041      case 'f': // Forward one character
1042        this._moveCursor(+charLengthAt(this.line, this.cursor));
1043        break;
1044
1045      case 'l': // Clear the whole screen
1046        cursorTo(this.output, 0, 0);
1047        clearScreenDown(this.output);
1048        this._refreshLine();
1049        break;
1050
1051      case 'n': // next history item
1052        this._historyNext();
1053        break;
1054
1055      case 'p': // Previous history item
1056        this._historyPrev();
1057        break;
1058
1059      case 'z':
1060        if (process.platform === 'win32') break;
1061        if (this.listenerCount('SIGTSTP') > 0) {
1062          this.emit('SIGTSTP');
1063        } else {
1064          process.once('SIGCONT', () => {
1065            // Don't raise events if stream has already been abandoned.
1066            if (!this.paused) {
1067              // Stream must be paused and resumed after SIGCONT to catch
1068              // SIGINT, SIGTSTP, and EOF.
1069              this.pause();
1070              this.emit('SIGCONT');
1071            }
1072            // Explicitly re-enable "raw mode" and move the cursor to
1073            // the correct position.
1074            // See https://github.com/joyent/node/issues/3295.
1075            this._setRawMode(true);
1076            this._refreshLine();
1077          });
1078          this._setRawMode(false);
1079          process.kill(process.pid, 'SIGTSTP');
1080        }
1081        break;
1082
1083      case 'w': // Delete backwards to a word boundary
1084      // TODO(BridgeAR): The transmitted escape sequence is `\b` and that is
1085      // identical to <ctrl>-h. It should have a unique escape sequence.
1086      // Falls through
1087      case 'backspace':
1088        this._deleteWordLeft();
1089        break;
1090
1091      case 'delete': // Delete forward to a word boundary
1092        this._deleteWordRight();
1093        break;
1094
1095      case 'left':
1096        this._wordLeft();
1097        break;
1098
1099      case 'right':
1100        this._wordRight();
1101        break;
1102    }
1103
1104  } else if (key.meta) {
1105    /* Meta key pressed */
1106
1107    switch (key.name) {
1108      case 'b': // backward word
1109        this._wordLeft();
1110        break;
1111
1112      case 'f': // forward word
1113        this._wordRight();
1114        break;
1115
1116      case 'd': // delete forward word
1117      case 'delete':
1118        this._deleteWordRight();
1119        break;
1120
1121      case 'backspace': // Delete backwards to a word boundary
1122        this._deleteWordLeft();
1123        break;
1124    }
1125
1126  } else {
1127    /* No modifier keys used */
1128
1129    // \r bookkeeping is only relevant if a \n comes right after.
1130    if (this._sawReturnAt && key.name !== 'enter')
1131      this._sawReturnAt = 0;
1132
1133    switch (key.name) {
1134      case 'return':  // Carriage return, i.e. \r
1135        this._sawReturnAt = DateNow();
1136        this._line();
1137        break;
1138
1139      case 'enter':
1140        // When key interval > crlfDelay
1141        if (this._sawReturnAt === 0 ||
1142            DateNow() - this._sawReturnAt > this.crlfDelay) {
1143          this._line();
1144        }
1145        this._sawReturnAt = 0;
1146        break;
1147
1148      case 'backspace':
1149        this._deleteLeft();
1150        break;
1151
1152      case 'delete':
1153        this._deleteRight();
1154        break;
1155
1156      case 'left':
1157        // Obtain the code point to the left
1158        this._moveCursor(-charLengthLeft(this.line, this.cursor));
1159        break;
1160
1161      case 'right':
1162        this._moveCursor(+charLengthAt(this.line, this.cursor));
1163        break;
1164
1165      case 'home':
1166        this._moveCursor(-Infinity);
1167        break;
1168
1169      case 'end':
1170        this._moveCursor(+Infinity);
1171        break;
1172
1173      case 'up':
1174        this._historyPrev();
1175        break;
1176
1177      case 'down':
1178        this._historyNext();
1179        break;
1180
1181      case 'tab':
1182        // If tab completion enabled, do that...
1183        if (typeof this.completer === 'function' && this.isCompletionEnabled) {
1184          const lastKeypressWasTab = previousKey && previousKey.name === 'tab';
1185          this._tabComplete(lastKeypressWasTab);
1186          break;
1187        }
1188      // falls through
1189      default:
1190        if (typeof s === 'string' && s) {
1191          const lines = StringPrototypeSplit(s, /\r\n|\n|\r/);
1192          for (let i = 0, len = lines.length; i < len; i++) {
1193            if (i > 0) {
1194              this._line();
1195            }
1196            this._insertString(lines[i]);
1197          }
1198        }
1199    }
1200  }
1201};
1202
1203Interface.prototype[SymbolAsyncIterator] = function() {
1204  if (this[kLineObjectStream] === undefined) {
1205    if (Readable === undefined) {
1206      Readable = require('stream').Readable;
1207    }
1208    const readable = new Readable({
1209      objectMode: true,
1210      read: () => {
1211        this.resume();
1212      },
1213      destroy: (err, cb) => {
1214        this.off('line', lineListener);
1215        this.off('close', closeListener);
1216        this.close();
1217        cb(err);
1218      }
1219    });
1220    const lineListener = (input) => {
1221      if (!readable.push(input)) {
1222        this.pause();
1223      }
1224    };
1225    const closeListener = () => {
1226      readable.push(null);
1227    };
1228    this.on('line', lineListener);
1229    this.on('close', closeListener);
1230    this[kLineObjectStream] = readable;
1231  }
1232
1233  return this[kLineObjectStream][SymbolAsyncIterator]();
1234};
1235
1236/**
1237 * accepts a readable Stream instance and makes it emit "keypress" events
1238 */
1239
1240function emitKeypressEvents(stream, iface = {}) {
1241  if (stream[KEYPRESS_DECODER]) return;
1242
1243  stream[KEYPRESS_DECODER] = new StringDecoder('utf8');
1244
1245  stream[ESCAPE_DECODER] = emitKeys(stream);
1246  stream[ESCAPE_DECODER].next();
1247
1248  const triggerEscape = () => stream[ESCAPE_DECODER].next('');
1249  const { escapeCodeTimeout = ESCAPE_CODE_TIMEOUT } = iface;
1250  let timeoutId;
1251
1252  function onData(input) {
1253    if (stream.listenerCount('keypress') > 0) {
1254      const string = stream[KEYPRESS_DECODER].write(input);
1255      if (string) {
1256        clearTimeout(timeoutId);
1257
1258        // This supports characters of length 2.
1259        iface._sawKeyPress = charLengthAt(string, 0) === string.length;
1260        iface.isCompletionEnabled = false;
1261
1262        let length = 0;
1263        for (const character of new SafeStringIterator(string)) {
1264          length += character.length;
1265          if (length === string.length) {
1266            iface.isCompletionEnabled = true;
1267          }
1268
1269          try {
1270            stream[ESCAPE_DECODER].next(character);
1271            // Escape letter at the tail position
1272            if (length === string.length && character === kEscape) {
1273              timeoutId = setTimeout(triggerEscape, escapeCodeTimeout);
1274            }
1275          } catch (err) {
1276            // If the generator throws (it could happen in the `keypress`
1277            // event), we need to restart it.
1278            stream[ESCAPE_DECODER] = emitKeys(stream);
1279            stream[ESCAPE_DECODER].next();
1280            throw err;
1281          }
1282        }
1283      }
1284    } else {
1285      // Nobody's watching anyway
1286      stream.removeListener('data', onData);
1287      stream.on('newListener', onNewListener);
1288    }
1289  }
1290
1291  function onNewListener(event) {
1292    if (event === 'keypress') {
1293      stream.on('data', onData);
1294      stream.removeListener('newListener', onNewListener);
1295    }
1296  }
1297
1298  if (stream.listenerCount('keypress') > 0) {
1299    stream.on('data', onData);
1300  } else {
1301    stream.on('newListener', onNewListener);
1302  }
1303}
1304
1305/**
1306 * moves the cursor to the x and y coordinate on the given stream
1307 */
1308
1309function cursorTo(stream, x, y, callback) {
1310  if (callback !== undefined && typeof callback !== 'function')
1311    throw new ERR_INVALID_CALLBACK(callback);
1312
1313  if (typeof y === 'function') {
1314    callback = y;
1315    y = undefined;
1316  }
1317
1318  if (stream == null || (typeof x !== 'number' && typeof y !== 'number')) {
1319    if (typeof callback === 'function')
1320      process.nextTick(callback, null);
1321    return true;
1322  }
1323
1324  if (typeof x !== 'number')
1325    throw new ERR_INVALID_CURSOR_POS();
1326
1327  const data = typeof y !== 'number' ? CSI`${x + 1}G` : CSI`${y + 1};${x + 1}H`;
1328  return stream.write(data, callback);
1329}
1330
1331/**
1332 * moves the cursor relative to its current location
1333 */
1334
1335function moveCursor(stream, dx, dy, callback) {
1336  if (callback !== undefined && typeof callback !== 'function')
1337    throw new ERR_INVALID_CALLBACK(callback);
1338
1339  if (stream == null || !(dx || dy)) {
1340    if (typeof callback === 'function')
1341      process.nextTick(callback, null);
1342    return true;
1343  }
1344
1345  let data = '';
1346
1347  if (dx < 0) {
1348    data += CSI`${-dx}D`;
1349  } else if (dx > 0) {
1350    data += CSI`${dx}C`;
1351  }
1352
1353  if (dy < 0) {
1354    data += CSI`${-dy}A`;
1355  } else if (dy > 0) {
1356    data += CSI`${dy}B`;
1357  }
1358
1359  return stream.write(data, callback);
1360}
1361
1362/**
1363 * clears the current line the cursor is on:
1364 *   -1 for left of the cursor
1365 *   +1 for right of the cursor
1366 *    0 for the entire line
1367 */
1368
1369function clearLine(stream, dir, callback) {
1370  if (callback !== undefined && typeof callback !== 'function')
1371    throw new ERR_INVALID_CALLBACK(callback);
1372
1373  if (stream === null || stream === undefined) {
1374    if (typeof callback === 'function')
1375      process.nextTick(callback, null);
1376    return true;
1377  }
1378
1379  const type = dir < 0 ?
1380    kClearToLineBeginning :
1381    dir > 0 ?
1382      kClearToLineEnd :
1383      kClearLine;
1384  return stream.write(type, callback);
1385}
1386
1387/**
1388 * clears the screen from the current position of the cursor down
1389 */
1390
1391function clearScreenDown(stream, callback) {
1392  if (callback !== undefined && typeof callback !== 'function')
1393    throw new ERR_INVALID_CALLBACK(callback);
1394
1395  if (stream === null || stream === undefined) {
1396    if (typeof callback === 'function')
1397      process.nextTick(callback, null);
1398    return true;
1399  }
1400
1401  return stream.write(kClearScreenDown, callback);
1402}
1403
1404module.exports = {
1405  Interface,
1406  clearLine,
1407  clearScreenDown,
1408  createInterface,
1409  cursorTo,
1410  emitKeypressEvents,
1411  moveCursor
1412};
1413