{ "source": "doc/api/repl.md", "modules": [ { "textRaw": "REPL", "name": "repl", "stability": 2, "stabilityText": "Stable", "desc": "

The repl module provides a Read-Eval-Print-Loop (REPL) implementation that\nis available both as a standalone program or includible in other applications.\nIt can be accessed using:

\n
const repl = require('repl');\n
\n", "modules": [ { "textRaw": "Design and Features", "name": "design_and_features", "desc": "

The repl module exports the repl.REPLServer class. While running, instances\nof repl.REPLServer will accept individual lines of user input, evaluate those\naccording to a user-defined evaluation function, then output the result. Input\nand output may be from stdin and stdout, respectively, or may be connected\nto any Node.js stream.

\n

Instances of repl.REPLServer support automatic completion of inputs,\nsimplistic Emacs-style line editing, multi-line inputs, ANSI-styled output,\nsaving and restoring current REPL session state, error recovery, and\ncustomizable evaluation functions.

\n", "modules": [ { "textRaw": "Commands and Special Keys", "name": "commands_and_special_keys", "desc": "

The following special commands are supported by all REPL instances:

\n\n
> .editor\n// Entering editor mode (^D to finish, ^C to cancel)\nfunction welcome(name) {\n  return `Hello ${name}!`;\n}\n\nwelcome('Node.js User');\n\n// ^D\n'Hello Node.js User!'\n>\n
\n

The following key combinations in the REPL have these special effects:

\n\n", "type": "module", "displayName": "Commands and Special Keys" }, { "textRaw": "Default Evaluation", "name": "default_evaluation", "desc": "

By default, all instances of repl.REPLServer use an evaluation function that\nevaluates JavaScript expressions and provides access to Node.js' built-in\nmodules. This default behavior can be overridden by passing in an alternative\nevaluation function when the repl.REPLServer instance is created.

\n", "modules": [ { "textRaw": "JavaScript Expressions", "name": "javascript_expressions", "desc": "

The default evaluator supports direct evaluation of JavaScript expressions:

\n
> 1 + 1\n2\n> var m = 2\nundefined\n> m + 1\n3\n
\n

Unless otherwise scoped within blocks (e.g. { ... }) or functions, variables\ndeclared either implicitly or using the var keyword are declared at the\nglobal scope.

\n", "type": "module", "displayName": "JavaScript Expressions" }, { "textRaw": "Global and Local Scope", "name": "global_and_local_scope", "desc": "

The default evaluator provides access to any variables that exist in the global\nscope. It is possible to expose a variable to the REPL explicitly by assigning\nit to the context object associated with each REPLServer. For example:

\n
const repl = require('repl');\nvar msg = 'message';\n\nrepl.start('> ').context.m = msg;\n
\n

Properties in the context object appear as local within the REPL:

\n
$ node repl_test.js\n> m\n'message'\n
\n

It is important to note that context properties are not read-only by default.\nTo specify read-only globals, context properties must be defined using\nObject.defineProperty():

\n
const repl = require('repl');\nvar msg = 'message';\n\nconst r = repl.start('> ');\nObject.defineProperty(r.context, 'm', {\n  configurable: false,\n  enumerable: true,\n  value: msg\n});\n
\n", "type": "module", "displayName": "Global and Local Scope" }, { "textRaw": "Accessing Core Node.js Modules", "name": "accessing_core_node.js_modules", "desc": "

The default evaluator will automatically load Node.js core modules into the\nREPL environment when used. For instance, unless otherwise declared as a\nglobal or scoped variable, the input fs will be evaluated on-demand as\nglobal.fs = require('fs').

\n
> fs.createReadStream('./some/file');\n
\n", "type": "module", "displayName": "Accessing Core Node.js Modules" }, { "textRaw": "Assignment of the `_` (underscore) variable", "name": "assignment_of_the_`_`_(underscore)_variable", "desc": "

The default evaluator will, by default, assign the result of the most recently\nevaluated expression to the special variable _ (underscore).

\n
> [ 'a', 'b', 'c' ]\n[ 'a', 'b', 'c' ]\n> _.length\n3\n> _ += 1\n4\n
\n

Explicitly setting _ to a value will disable this behavior.

\n", "type": "module", "displayName": "Assignment of the `_` (underscore) variable" } ], "type": "module", "displayName": "Default Evaluation" }, { "textRaw": "Custom Evaluation Functions", "name": "custom_evaluation_functions", "desc": "

When a new repl.REPLServer is created, a custom evaluation function may be\nprovided. This can be used, for instance, to implement fully customized REPL\napplications.

\n

The following illustrates a hypothetical example of a REPL that performs\ntranslation of text from one language to another:

\n
const repl = require('repl');\nconst Translator = require('translator').Translator;\n\nconst myTranslator = new Translator('en', 'fr');\n\nfunction myEval(cmd, context, filename, callback) {\n  callback(null, myTranslator.translate(cmd));\n}\n\nrepl.start({prompt: '> ', eval: myEval});\n
\n", "modules": [ { "textRaw": "Recoverable Errors", "name": "recoverable_errors", "desc": "

As a user is typing input into the REPL prompt, pressing the <enter> key will\nsend the current line of input to the eval function. In order to support\nmulti-line input, the eval function can return an instance of repl.Recoverable\nto the provided callback function:

\n
function eval(cmd, context, filename, callback) {\n  var result;\n  try {\n    result = vm.runInThisContext(cmd);\n  } catch (e) {\n    if (isRecoverableError(e)) {\n      return callback(new repl.Recoverable(e));\n    }\n  }\n  callback(null, result);\n}\n\nfunction isRecoverableError(error) {\n  if (error.name === 'SyntaxError') {\n    return /^(Unexpected end of input|Unexpected token)/.test(error.message);\n  }\n  return false;\n}\n
\n", "type": "module", "displayName": "Recoverable Errors" } ], "type": "module", "displayName": "Custom Evaluation Functions" }, { "textRaw": "Customizing REPL Output", "name": "customizing_repl_output", "desc": "

By default, repl.REPLServer instances format output using the\nutil.inspect() method before writing the output to the provided Writable\nstream (process.stdout by default). The useColors boolean option can be\nspecified at construction to instruct the default writer to use ANSI style\ncodes to colorize the output from the util.inspect() method.

\n

It is possible to fully customize the output of a repl.REPLServer instance\nby passing a new function in using the writer option on construction. The\nfollowing example, for instance, simply converts any input text to upper case:

\n
const repl = require('repl');\n\nconst r = repl.start({prompt: '>', eval: myEval, writer: myWriter});\n\nfunction myEval(cmd, context, filename, callback) {\n  callback(null,cmd);\n}\n\nfunction myWriter(output) {\n  return output.toUpperCase();\n}\n
\n", "type": "module", "displayName": "Customizing REPL Output" } ], "type": "module", "displayName": "Design and Features" }, { "textRaw": "The Node.js REPL", "name": "the_node.js_repl", "desc": "

Node.js itself uses the repl module to provide its own interactive interface\nfor executing JavaScript. This can be used by executing the Node.js binary\nwithout passing any arguments (or by passing the -i argument):

\n
$ node\n> a = [1, 2, 3];\n[ 1, 2, 3 ]\n> a.forEach((v) => {\n...   console.log(v);\n...   });\n1\n2\n3\n
\n", "modules": [ { "textRaw": "Environment Variable Options", "name": "environment_variable_options", "desc": "

Various behaviors of the Node.js REPL can be customized using the following\nenvironment variables:

\n\n", "type": "module", "displayName": "Environment Variable Options" }, { "textRaw": "Persistent History", "name": "persistent_history", "desc": "

By default, the Node.js REPL will persist history between node REPL sessions\nby saving inputs to a .node_repl_history file located in the user's home\ndirectory. This can be disabled by setting the environment variable\nNODE_REPL_HISTORY="".

\n", "modules": [ { "textRaw": "NODE_REPL_HISTORY_FILE", "name": "node_repl_history_file", "meta": { "added": [ "v2.0.0" ], "deprecated": [ "v3.0.0" ] }, "stability": 0, "stabilityText": "Deprecated: Use `NODE_REPL_HISTORY` instead.", "desc": "

Previously in Node.js/io.js v2.x, REPL history was controlled by using a\nNODE_REPL_HISTORY_FILE environment variable, and the history was saved in JSON\nformat. This variable has now been deprecated, and the old JSON REPL history\nfile will be automatically converted to a simplified plain text format. This new\nfile will be saved to either the user's home directory, or a directory defined\nby the NODE_REPL_HISTORY variable, as documented in the\nEnvironment Variable Options.

\n", "type": "module", "displayName": "NODE_REPL_HISTORY_FILE" } ], "type": "module", "displayName": "Persistent History" }, { "textRaw": "Using the Node.js REPL with advanced line-editors", "name": "using_the_node.js_repl_with_advanced_line-editors", "desc": "

For advanced line-editors, start Node.js with the environmental variable\nNODE_NO_READLINE=1. This will start the main and debugger REPL in canonical\nterminal settings which will allow you to use with rlwrap.

\n

For example, you could add this to your bashrc file:

\n
alias node="env NODE_NO_READLINE=1 rlwrap node"\n
\n", "type": "module", "displayName": "Using the Node.js REPL with advanced line-editors" }, { "textRaw": "Starting multiple REPL instances against a single running instance", "name": "starting_multiple_repl_instances_against_a_single_running_instance", "desc": "

It is possible to create and run multiple REPL instances against a single\nrunning instance of Node.js that share a single global object but have\nseparate I/O interfaces.

\n

The following example, for instance, provides separate REPLs on stdin, a Unix\nsocket, and a TCP socket:

\n
const net = require('net');\nconst repl = require('repl');\nvar connections = 0;\n\nrepl.start({\n  prompt: 'Node.js via stdin> ',\n  input: process.stdin,\n  output: process.stdout\n});\n\nnet.createServer((socket) => {\n  connections += 1;\n  repl.start({\n    prompt: 'Node.js via Unix socket> ',\n    input: socket,\n    output: socket\n  }).on('exit', () => {\n    socket.end();\n  });\n}).listen('/tmp/node-repl-sock');\n\nnet.createServer((socket) => {\n  connections += 1;\n  repl.start({\n    prompt: 'Node.js via TCP socket> ',\n    input: socket,\n    output: socket\n  }).on('exit', () => {\n    socket.end();\n  });\n}).listen(5001);\n
\n

Running this application from the command line will start a REPL on stdin.\nOther REPL clients may connect through the Unix socket or TCP socket. telnet,\nfor instance, is useful for connecting to TCP sockets, while socat can be used\nto connect to both Unix and TCP sockets.

\n

By starting a REPL from a Unix socket-based server instead of stdin, it is\npossible to connect to a long-running Node.js process without restarting it.

\n

For an example of running a "full-featured" (terminal) REPL over\na net.Server and net.Socket instance, see: https://gist.github.com/2209310

\n

For an example of running a REPL instance over curl(1),\nsee: https://gist.github.com/2053342

\n", "type": "module", "displayName": "Starting multiple REPL instances against a single running instance" } ], "type": "module", "displayName": "The Node.js REPL" } ], "classes": [ { "textRaw": "Class: REPLServer", "type": "class", "name": "REPLServer", "meta": { "added": [ "v0.1.91" ] }, "desc": "

The repl.REPLServer class inherits from the readline.Interface class.\nInstances of repl.REPLServer are created using the repl.start() method and\nshould not be created directly using the JavaScript new keyword.

\n", "events": [ { "textRaw": "Event: 'exit'", "type": "event", "name": "exit", "meta": { "added": [ "v0.7.7" ] }, "desc": "

The 'exit' event is emitted when the REPL is exited either by receiving the\n.exit command as input, the user pressing <ctrl>-C twice to signal SIGINT,\nor by pressing <ctrl>-D to signal 'end' on the input stream. The listener\ncallback is invoked without any arguments.

\n
replServer.on('exit', () => {\n  console.log('Received "exit" event from repl!');\n  process.exit();\n});\n
\n", "params": [] }, { "textRaw": "Event: 'reset'", "type": "event", "name": "reset", "meta": { "added": [ "v0.11.0" ] }, "desc": "

The 'reset' event is emitted when the REPL's context is reset. This occurs\nwhenever the .clear command is received as input unless the REPL is using\nthe default evaluator and the repl.REPLServer instance was created with the\nuseGlobal option set to true. The listener callback will be called with a\nreference to the context object as the only argument.

\n

This can be used primarily to re-initialize REPL context to some pre-defined\nstate as illustrated in the following simple example:

\n
const repl = require('repl');\n\nfunction initializeContext(context) {\n  context.m = 'test';\n}\n\nvar r = repl.start({prompt: '>'});\ninitializeContext(r.context);\n\nr.on('reset', initializeContext);\n
\n

When this code is executed, the global 'm' variable can be modified but then\nreset to its initial value using the .clear command:

\n
$ ./node example.js\n>m\n'test'\n>m = 1\n1\n>m\n1\n>.clear\nClearing context...\n>m\n'test'\n>\n
\n", "params": [] } ], "methods": [ { "textRaw": "replServer.defineCommand(keyword, cmd)", "type": "method", "name": "defineCommand", "meta": { "added": [ "v0.3.0" ] }, "signatures": [ { "params": [ { "textRaw": "`keyword` {String} The command keyword (*without* a leading `.` character). ", "name": "keyword", "type": "String", "desc": "The command keyword (*without* a leading `.` character)." }, { "textRaw": "`cmd` {Object|Function} The function to invoke when the command is processed. ", "name": "cmd", "type": "Object|Function", "desc": "The function to invoke when the command is processed." } ] }, { "params": [ { "name": "keyword" }, { "name": "cmd" } ] } ], "desc": "

The replServer.defineCommand() method is used to add new .-prefixed commands\nto the REPL instance. Such commands are invoked by typing a . followed by the\nkeyword. The cmd is either a Function or an object with the following\nproperties:

\n\n

The following example shows two new commands added to the REPL instance:

\n
const repl = require('repl');\n\nvar replServer = repl.start({prompt: '> '});\nreplServer.defineCommand('sayhello', {\n  help: 'Say hello',\n  action: function(name) {\n    this.lineParser.reset();\n    this.bufferedCommand = '';\n    console.log(`Hello, ${name}!`);\n    this.displayPrompt();\n  }\n});\nreplServer.defineCommand('saybye', function() {\n  console.log('Goodbye!');\n  this.close();\n});\n
\n

The new commands can then be used from within the REPL instance:

\n
> .sayhello Node.js User\nHello, Node.js User!\n> .saybye\nGoodbye!\n
\n" }, { "textRaw": "replServer.displayPrompt([preserveCursor])", "type": "method", "name": "displayPrompt", "meta": { "added": [ "v0.1.91" ] }, "signatures": [ { "params": [ { "textRaw": "`preserveCursor` {Boolean} ", "name": "preserveCursor", "type": "Boolean", "optional": true } ] }, { "params": [ { "name": "preserveCursor", "optional": true } ] } ], "desc": "

The replServer.displayPrompt() method readies the REPL instance for input\nfrom the user, printing the configured prompt to a new line in the output\nand resuming the input to accept new input.

\n

When multi-line input is being entered, an ellipsis is printed rather than the\n'prompt'.

\n

When preserveCursor is true, the cursor placement will not be reset to 0.

\n

The replServer.displayPrompt method is primarily intended to be called from\nwithin the action function for commands registered using the\nreplServer.defineCommand() method.

\n" } ] } ], "methods": [ { "textRaw": "repl.start([options])", "type": "method", "name": "start", "meta": { "added": [ "v0.1.91" ] }, "signatures": [ { "params": [ { "textRaw": "`options` {Object | String} ", "options": [ { "textRaw": "`prompt` {String} The input prompt to display. Defaults to `> `. ", "name": "prompt", "type": "String", "desc": "The input prompt to display. Defaults to `> `." }, { "textRaw": "`input` {Readable} The Readable stream from which REPL input will be read. Defaults to `process.stdin`. ", "name": "input", "type": "Readable", "desc": "The Readable stream from which REPL input will be read. Defaults to `process.stdin`." }, { "textRaw": "`output` {Writable} The Writable stream to which REPL output will be written. Defaults to `process.stdout`. ", "name": "output", "type": "Writable", "desc": "The Writable stream to which REPL output will be written. Defaults to `process.stdout`." }, { "textRaw": "`terminal` {boolean} If `true`, specifies that the `output` should be treated as a a TTY terminal, and have ANSI/VT100 escape codes written to it. Defaults to checking the value of the `isTTY` property on the `output` stream upon instantiation. ", "name": "terminal", "type": "boolean", "desc": "If `true`, specifies that the `output` should be treated as a a TTY terminal, and have ANSI/VT100 escape codes written to it. Defaults to checking the value of the `isTTY` property on the `output` stream upon instantiation." }, { "textRaw": "`eval` {Function} The function to be used when evaluating each given line of input. Defaults to an async wrapper for the JavaScript `eval()` function. An `eval` function can error with `repl.Recoverable` to indicate the input was incomplete and prompt for additional lines. ", "name": "eval", "type": "Function", "desc": "The function to be used when evaluating each given line of input. Defaults to an async wrapper for the JavaScript `eval()` function. An `eval` function can error with `repl.Recoverable` to indicate the input was incomplete and prompt for additional lines." }, { "textRaw": "`useColors` {boolean} If `true`, specifies that the default `writer` function should include ANSI color styling to REPL output. If a custom `writer` function is provided then this has no effect. Defaults to the REPL instances `terminal` value. ", "name": "useColors", "type": "boolean", "desc": "If `true`, specifies that the default `writer` function should include ANSI color styling to REPL output. If a custom `writer` function is provided then this has no effect. Defaults to the REPL instances `terminal` value." }, { "textRaw": "`useGlobal` {boolean} If `true`, specifies that the default evaluation function will use the JavaScript `global` as the context as opposed to creating a new separate context for the REPL instance. Defaults to `false`. ", "name": "useGlobal", "type": "boolean", "desc": "If `true`, specifies that the default evaluation function will use the JavaScript `global` as the context as opposed to creating a new separate context for the REPL instance. Defaults to `false`." }, { "textRaw": "`ignoreUndefined` {boolean} If `true`, specifies that the default writer will not output the return value of a command if it evaluates to `undefined`. Defaults to `false`. ", "name": "ignoreUndefined", "type": "boolean", "desc": "If `true`, specifies that the default writer will not output the return value of a command if it evaluates to `undefined`. Defaults to `false`." }, { "textRaw": "`writer` {Function} The function to invoke to format the output of each command before writing to `output`. Defaults to [`util.inspect()`][]. ", "name": "writer", "type": "Function", "desc": "The function to invoke to format the output of each command before writing to `output`. Defaults to [`util.inspect()`][]." }, { "textRaw": "`completer` {Function} An optional function used for custom Tab auto completion. See [`readline.InterfaceCompleter`][] for an example. ", "name": "completer", "type": "Function", "desc": "An optional function used for custom Tab auto completion. See [`readline.InterfaceCompleter`][] for an example." }, { "textRaw": "`replMode` - A flag that specifies whether the default evaluator executes all JavaScript commands in strict mode, default mode, or a hybrid mode (\"magic\" mode.) Acceptable values are: ", "options": [ { "textRaw": "`repl.REPL_MODE_SLOPPY` - evaluates expressions in sloppy mode. ", "name": "repl.REPL_MODE_SLOPPY", "desc": "evaluates expressions in sloppy mode." }, { "textRaw": "`repl.REPL_MODE_STRICT` - evaluates expressions in strict mode. This is equivalent to prefacing every repl statement with `'use strict'`. ", "name": "repl.REPL_MODE_STRICT", "desc": "evaluates expressions in strict mode. This is equivalent to prefacing every repl statement with `'use strict'`." }, { "textRaw": "`repl.REPL_MODE_MAGIC` - attempt to evaluates expressions in default mode. If expressions fail to parse, re-try in strict mode. ", "name": "repl.REPL_MODE_MAGIC", "desc": "attempt to evaluates expressions in default mode. If expressions fail to parse, re-try in strict mode." } ], "name": "replMode", "desc": "A flag that specifies whether the default evaluator executes all JavaScript commands in strict mode, default mode, or a hybrid mode (\"magic\" mode.) Acceptable values are:" }, { "textRaw": "`breakEvalOnSigint` - Stop evaluating the current piece of code when `SIGINT` is received, i.e. `Ctrl+C` is pressed. This cannot be used together with a custom `eval` function. Defaults to `false`. ", "name": "breakEvalOnSigint", "desc": "Stop evaluating the current piece of code when `SIGINT` is received, i.e. `Ctrl+C` is pressed. This cannot be used together with a custom `eval` function. Defaults to `false`." } ], "name": "options", "type": "Object | String", "optional": true } ] }, { "params": [ { "name": "options", "optional": true } ] } ], "desc": "

The repl.start() method creates and starts a repl.REPLServer instance.

\n

If options is a string, then it specifies the input prompt:

\n
const repl = require('repl');\n\n// a Unix style prompt\nrepl.start('$ ');\n
\n" } ], "type": "module", "displayName": "REPL" } ] }