readline-sync/README.md

1681 lines
63 KiB
Markdown
Raw Normal View History

2013-08-29 19:26:22 +02:00
# readlineSync
2013-08-29 12:55:23 +02:00
Synchronous [Readline](http://nodejs.org/api/readline.html) for interactively running to have a conversation with the user via a console(TTY).
2013-08-29 12:55:23 +02:00
2015-04-22 11:51:25 +02:00
readlineSync tries to let your script have a conversation with the user via a console, even when the input/output stream is redirected like `your-script <foo.dat >bar.log`.
2015-04-23 20:31:27 +02:00
<table>
<tr><td><a href="#basic_options">Basic Options</a></td><td><a href="#utility_methods">Utility Methods</a></td><td><a href="#placeholders">Placeholders</a></td></tr>
2015-04-22 11:51:25 +02:00
</table>
2015-06-11 08:46:05 +02:00
* Simple case:
2013-08-29 12:55:23 +02:00
```js
var readlineSync = require('readline-sync');
2015-04-22 11:51:25 +02:00
// Wait for user's response.
var userName = readlineSync.question('May I have your name? :');
console.log('Hi ' + userName + '!');
// Handle the secret text.
var favFood = readlineSync.question('What is your favorite food? :', {
hideEchoBack: true
});
2015-04-23 15:59:41 +02:00
console.log('Oh, ' + userName + ' loves ' + favFood + '!');
2015-01-26 17:11:25 +01:00
```
```console
May I have your name? :CookieMonster
2015-04-22 11:51:25 +02:00
Hi CookieMonster!
What is your favorite food? :****
2015-04-23 15:59:41 +02:00
Oh, CookieMonster loves tofu!
```
2015-06-11 08:46:05 +02:00
* Get user's response without Enter key:
2015-04-22 11:51:25 +02:00
```js
var readlineSync = require('readline-sync');
if (readlineSync.keyInYN('Do you want this module?')) {
// 'Y' key was pressed.
2015-04-22 11:51:25 +02:00
console.log('Installing now...');
} else {
2015-04-22 11:51:25 +02:00
console.log('Searching another...');
}
```
* Let the user choose an item from a list:
```js
var readlineSync = require('readline-sync'),
animals = ['Lion', 'Elephant', 'Crocodile', 'Giraffe', 'Hippo'],
index = readlineSync.keyInSelect(animals, 'Which animal?');
console.log('Ok, ' + animals[index] + ' goes to your room.');
```
```console
[1] Lion
[2] Elephant
[3] Crocodile
[4] Giraffe
[5] Hippo
[0] CANCEL
Which animal? [1...5 / 0] :2
Ok, Elephant goes to your room.
```
* A UI like the Range Slider:
(Press `Z` or `X` key to change a value, and Space Bar to exit)
```js
var readlineSync = require('readline-sync'),
MAX = 60, MIN = 0, value = 30, key;
console.log('\n\n' + (new Array(20)).join(' ') +
'[Z] <- -> [X] FIX: [SPACE]\n');
while (true) {
console.log('\x1B[1A\x1B[K|' +
(new Array(value + 1)).join('-') + 'O' +
(new Array(MAX - value + 1)).join('-') + '| ' + value);
key = readlineSync.keyIn('',
{hideEchoBack: true, mask: '', limit: 'zx '});
if (key === 'z') { if (value > MIN) { value--; } }
else if (key === 'x') { if (value < MAX) { value++; } }
else { break; }
}
2015-04-23 15:59:41 +02:00
console.log('\nA value the user requested: ' + value);
2015-04-22 11:51:25 +02:00
```
2015-06-11 08:46:05 +02:00
![sample](screen_03.gif)
2013-08-29 12:55:23 +02:00
2015-05-15 08:45:25 +02:00
## <a name="installation"></a>Installation
2013-08-29 12:55:23 +02:00
```shell
npm install readline-sync
2013-08-29 12:55:23 +02:00
```
2015-05-15 08:45:25 +02:00
## <a name="basic_methods"></a>Basic Methods
2013-08-29 12:55:23 +02:00
These are used to control details of the behavior. It is recommended to use the [Utility Methods](#utility_methods) instead of Basic Methods if it satisfy your request.
2015-04-20 07:53:22 +02:00
2015-05-15 08:45:25 +02:00
### <a name="basic_methods-question"></a>`question`
2013-08-29 19:26:22 +02:00
```js
answer = readlineSync.question([query[, options]])
2013-08-29 19:26:22 +02:00
```
2015-04-23 15:59:41 +02:00
Display a `query` to the user if it's specified, and then return the input from the user after it has been typed and an Enter key was pressed.
You can specify an `options` (see [Basic Options](#basic_options)) to control the behavior (e.g. refusing unexpected input, avoiding trimming white spaces, etc.). **If you let the user input the secret text (e.g. password), you should consider [`hideEchoBack`](#basic_options-hideechoback) option.**
2015-01-26 17:11:25 +01:00
2015-04-20 07:53:22 +02:00
The `query` may be string, or may not be (e.g. number, Date, Object, etc.). It is converted to string (i.e. `toString` method is called) before it is displayed.
It can include the [placeholders](#placeholders).
2015-01-26 17:11:25 +01:00
2015-04-22 11:51:25 +02:00
For example:
```js
program = readlineSync.question('Which program starts do you want? :', {
defaultInput: 'firefox'
});
```
2015-05-15 08:45:25 +02:00
### <a name="basic_methods-prompt"></a>`prompt`
2013-08-29 19:26:22 +02:00
```js
input = readlineSync.prompt([options])
2013-08-29 19:26:22 +02:00
```
Display a prompt-sign (see [`prompt`](#basic_options-prompt) option) to the user, and then return the input from the user after it has been typed and an Enter key was pressed.
You can specify an `options` (see [Basic Options](#basic_options)) to control the behavior (e.g. refusing unexpected input, avoiding trimming white spaces, etc.).
2015-01-26 17:11:25 +01:00
2015-04-22 11:51:25 +02:00
For example:
```js
while (true) {
command = readlineSync.prompt();
// Do something...
}
```
2015-05-15 08:45:25 +02:00
### <a name="basic_methods-keyin"></a>`keyIn`
```js
pressedKey = readlineSync.keyIn([query[, options]])
```
2015-04-23 15:59:41 +02:00
Display a `query` to the user if it's specified, and then return a character as a key immediately it was pressed by the user, **without pressing an Enter key**. Note that the user has no chance to change the input.
You can specify an `options` (see [Basic Options](#basic_options)) to control the behavior (e.g. ignoring keys except some keys, checking target key, etc.).
2015-04-20 07:53:22 +02:00
The `query` is handled the same as that of the [`question`](#basic_methods-question) method.
2015-04-20 07:53:22 +02:00
2015-04-22 11:51:25 +02:00
For example:
```js
2015-04-24 05:19:39 +02:00
menuId = readlineSync.keyIn('Hit 1...5 key :', {limit: '${1-5}'});
2015-04-22 11:51:25 +02:00
```
2015-05-15 08:45:25 +02:00
### <a name="basic_methods-setdefaultoptions"></a>`setDefaultOptions`
2015-04-20 07:53:22 +02:00
```js
currentDefaultOptions = readlineSync.setDefaultOptions([newDefaultOptions])
```
Change the [Default Options](#basic_options) to the values of properties of `newDefaultOptions` Object.
2015-04-20 07:53:22 +02:00
All it takes is to specify options that you want change, because unspecified options are not updated.
2015-05-15 08:45:25 +02:00
## <a name="basic_options"></a>Basic Options
2015-05-15 08:31:45 +02:00
[`prompt`](#basic_options-prompt), [`hideEchoBack`](#basic_options-hideechoback), [`mask`](#basic_options-mask), [`limit`](#basic_options-limit), [`limitMessage`](#basic_options-limitmessage), [`defaultInput`](#basic_options-defaultinput), [`trueValue`, `falseValue`](#basic_options-truevalue_falsevalue), [`caseSensitive`](#basic_options-casesensitive), [`keepWhitespace`](#basic_options-keepwhitespace), [`encoding`](#basic_options-encoding), [`bufferSize`](#basic_options-buffersize), [`print`](#basic_options-print), [`history`](#basic_options-history), [`cd`](#basic_options-cd)
An `options` Object can be specified to the methods to control the behavior of readlineSync. The options that were not specified to the methods are got from the Default Options. You can change the Default Options by [`setDefaultOptions`](#basic_methods-setdefaultoptions) method anytime, and it is kept until a current process is exited.
2015-04-22 11:51:25 +02:00
Specify the options that are often used to the Default Options, and specify temporary options to the methods.
2015-04-20 07:53:22 +02:00
For example:
2013-08-29 19:26:22 +02:00
```js
2015-04-20 07:53:22 +02:00
readlineSync.setDefaultOptions({limit: ['green', 'yellow', 'red']});
2015-04-22 11:51:25 +02:00
a1 = readlineSync.question('Which color of signal? :'); // Input is limited to 3 things.
a2 = readlineSync.question('Which color of signal? :'); // It's limited yet.
2015-04-20 07:53:22 +02:00
a3 = readlineSync.question('What is your favorite color? :', {limit: null}); // It's unlimited temporarily.
2015-04-22 11:51:25 +02:00
a4 = readlineSync.question('Which color of signal? :'); // It's limited again.
2015-04-20 07:53:22 +02:00
readlineSync.setDefaultOptions({limit: ['beef', 'chicken']});
a5 = readlineSync.question('Beef or Chicken? :'); // Input is limited to new 2 things.
a6 = readlineSync.question('And you? :'); // It's limited to 2 things yet.
2013-08-29 19:26:22 +02:00
```
2015-04-20 07:53:22 +02:00
The Object as `options` can have following properties.
2015-05-15 08:45:25 +02:00
### <a name="basic_options-prompt"></a>`prompt`
2015-01-26 17:11:25 +01:00
2015-04-23 16:14:22 +02:00
_For `prompt*` methods only_
2015-04-24 05:19:39 +02:00
*Type:* string or others
*Default:* `'> '`
2015-03-20 12:34:18 +01:00
2015-04-20 07:53:22 +02:00
Set the prompt-sign that is displayed to the user by `prompt*` methods. For example you see `> ` that is Node's prompt-sign when you run `node` on the command line.
2015-04-24 05:19:39 +02:00
This may be string, or may not be (e.g. number, Date, Object, etc.). It is converted to string every time (i.e. `toString` method is called) before it is displayed.
It can include the [placeholders](#placeholders).
2015-04-20 07:53:22 +02:00
2015-04-24 05:19:39 +02:00
For example:
```js
readlineSync.setDefaultOptions({prompt: '$ '});
```
2015-01-26 17:11:25 +01:00
```js
2015-04-24 05:19:39 +02:00
// Display the memory usage always.
readlineSync.setDefaultOptions({
2015-04-20 07:53:22 +02:00
prompt: { // Simple Object that has toString method.
toString: function() {
2015-04-24 05:19:39 +02:00
var rss = process.memoryUsage().rss;
return '[' + (rss > 1024 ? Math.round(rss / 1024) + 'k' : rss) + 'b]$ ';
2015-04-20 07:53:22 +02:00
}
2015-01-26 17:11:25 +01:00
}
});
2015-01-26 17:11:25 +01:00
```
2013-08-29 19:26:22 +02:00
2015-06-11 08:46:05 +02:00
```console
[13148kb]$ foo
[13160kb]$ bar
[13200kb]$
```
2015-05-15 08:45:25 +02:00
### <a name="basic_options-hideechoback"></a>`hideEchoBack`
2015-04-20 07:53:22 +02:00
2015-04-24 05:19:39 +02:00
*Type:* boolean
*Default:* `false`
2015-04-20 07:53:22 +02:00
If `true` is specified, hide the secret text (e.g. password) which is typed by user on screen by the mask characters (see [`mask`](#basic_options-mask) option).
2015-04-20 07:53:22 +02:00
For example:
```js
password = readlineSync.question('PASSWORD :', {hideEchoBack: true});
console.log('Login ...');
```
```console
PASSWORD :********
Login ...
```
2015-05-15 08:45:25 +02:00
### <a name="basic_options-mask"></a>`mask`
2015-04-20 07:53:22 +02:00
2015-04-24 05:19:39 +02:00
*Type:* string
*Default:* `'*'`
2015-04-20 07:53:22 +02:00
Set the mask characters that are shown instead of the secret text (e.g. password) when `true` is specified to [`hideEchoBack`](#basic_options-hideechoback) option. If you want to show nothing, specify `''`. (But it might be not user friendly in some cases.)
2015-04-24 05:19:39 +02:00
*Note:* In some cases (e.g. when the input stream is redirected on Windows XP), `'*'` or `''` might be used whether other one is specified.
2015-04-20 07:53:22 +02:00
For example:
```js
secret = readlineSync.question('Please whisper sweet words :', {
hideEchoBack: true,
2015-04-24 05:19:39 +02:00
mask: require('chalk').magenta('\u2665')
2015-04-20 07:53:22 +02:00
});
```
2015-06-11 08:46:05 +02:00
![sample](screen_02.gif)
2015-04-20 07:53:22 +02:00
2015-05-15 08:45:25 +02:00
### <a name="basic_options-limit"></a>`limit`
2015-04-20 07:53:22 +02:00
Limit the user's input.
The usage differ depending on the method.
2015-05-15 08:45:25 +02:00
#### <a name="basic_options-limit-for_question_and_prompt_methods"></a>For `question*` and `prompt*` methods
2015-04-20 07:53:22 +02:00
2015-04-24 05:19:39 +02:00
*Type:* string, number, RegExp, function or Array
*Default:* `[]`
2015-04-20 07:53:22 +02:00
Accept only the input that matches value that is specified to this. If the user input others, display a string that is specified to [`limitMessage`](#basic_options-limitmessage) option, and wait for reinput.
2015-04-20 07:53:22 +02:00
* The string is compared with the input. It is affected by [`caseSensitive`](#basic_options-casesensitive) option.
2015-04-23 15:59:41 +02:00
* The number is compared with the input that is converted to number by `parseFloat()`. For example, it interprets `' 3.14 '`, `'003.1400'`, `'314e-2'` and `'3.14PI'` as `3.14`. And it interprets `'005'`, `'5files'`, `'5kb'` and `'5px'` as `5`.
* The RegExp tests the input.
* The function that returns boolean to indicate whether it matches is called with the input.
2015-04-20 07:53:22 +02:00
2015-04-22 11:51:25 +02:00
One of above or an Array that includes multiple things (or Array includes Array) can be specified.
2015-04-20 07:53:22 +02:00
For example:
```js
command = readlineSync.prompt({limit: ['add', 'remove', /^clear( all)?$/]});
// ** But `promptCL` method should be used instead of this. **
```
```js
file = readlineSync.question('Text File :', {limit: /\.txt$/i});
// ** But `questionPath` method should be used instead of this. **
```
```js
ip = readlineSync.question('IP Address :', {limit: function(input) {
2015-04-24 12:49:30 +02:00
return require('net').isIP(input); // Valid IP Address
2015-04-20 07:53:22 +02:00
}});
```
```js
availableActions = [];
if (!blockExists()) { availableActions.push('jump'); }
if (isLarge(place)) { availableActions.push('run'); }
if (isNew(shoes)) { availableActions.push('kick'); }
if (isNearby(enemy)) { availableActions.push('punch'); }
action = readlineSync.prompt({limit: availableActions});
// ** But `promptCL` method should be used instead of this. **
```
2015-05-15 08:45:25 +02:00
#### <a name="basic_options-limit-for_keyin_method"></a>For `keyIn*` method
2015-04-20 07:53:22 +02:00
2015-04-24 05:19:39 +02:00
*Type:* string, number or Array
*Default:* `[]`
2015-04-20 07:53:22 +02:00
2015-04-23 15:59:41 +02:00
Accept only the key that matches value that is specified to this, ignore others.
Specify the characters as the key. All strings or Array of those are decomposed into single characters. For example, `'abcde'` or `['a', 'bc', ['d', 'e']]` are the same as `['a', 'b', 'c', 'd', 'e']`.
These strings are compared with the input. It is affected by [`caseSensitive`](#basic_options-casesensitive) option.
2015-04-20 07:53:22 +02:00
2015-04-24 05:19:39 +02:00
The [placeholders](#placeholders) like `'${a-e}'` are replaced to an Array that is the character list like `['a', 'b', 'c', 'd', 'e']`.
2015-04-20 07:53:22 +02:00
For example:
```js
2015-04-24 05:19:39 +02:00
direction = readlineSync.keyIn('Left or Right? :', {limit: 'lr'}); // 'l' or 'r'
2015-04-20 07:53:22 +02:00
```
```js
2015-04-24 05:19:39 +02:00
dice = readlineSync.keyIn('Roll the dice, What will the result be? :',
2015-04-23 15:59:41 +02:00
{limit: '${1-6}'}); // range of '1' to '6'
2015-04-20 07:53:22 +02:00
```
2015-05-15 08:45:25 +02:00
### <a name="basic_options-limitmessage"></a>`limitMessage`
2015-04-20 07:53:22 +02:00
2015-04-23 16:14:22 +02:00
_For `question*` and `prompt*` methods only_
2015-04-24 05:19:39 +02:00
*Type:* string
*Default:* `'Input another, please.${( [)limit(])}'`
2015-04-20 07:53:22 +02:00
Display this to the user when the [`limit`](#basic_options-limit) option is specified and the user input others.
2015-04-20 07:53:22 +02:00
The [placeholders](#placeholders) can be included.
For example:
```js
file = readlineSync.question('Name of Text File :', {
limit: /\.txt$/i,
limitMessage: 'Sorry, ${lastInput} is not text file.'
});
```
2015-05-15 08:45:25 +02:00
### <a name="basic_options-defaultinput"></a>`defaultInput`
2015-04-20 07:53:22 +02:00
2015-04-23 16:14:22 +02:00
_For `question*` and `prompt*` methods only_
2015-04-24 05:19:39 +02:00
*Type:* string
*Default:* `''`
2015-04-20 07:53:22 +02:00
2015-04-22 11:51:25 +02:00
If the user input empty text (i.e. pressed an Enter key only), return this.
2015-04-20 07:53:22 +02:00
For example:
2014-07-11 23:25:59 +02:00
```js
lang = readlineSync.question('Which language? :', {defaultInput: 'javascript'});
2014-07-11 23:25:59 +02:00
```
2015-05-15 08:45:25 +02:00
### <a name="basic_options-truevalue_falsevalue"></a>`trueValue`, `falseValue`
2015-04-20 07:53:22 +02:00
2015-04-24 05:19:39 +02:00
*Type:* string, number, RegExp, function or Array
*Default:* `[]`
2015-04-20 07:53:22 +02:00
2015-04-23 15:59:41 +02:00
If the input matches `trueValue`, return `true`. If the input matches `falseValue`, return `false`. In any other case, return the input.
2015-04-20 07:53:22 +02:00
* The string is compared with the input. It is affected by [`caseSensitive`](#basic_options-casesensitive) option.
2015-04-24 05:19:39 +02:00
* The number is compared with the input that is converted to number by `parseFloat()`. For example, it interprets `' 3.14 '`, `'003.1400'`, `'314e-2'` and `'3.14PI'` as `3.14`. And it interprets `'005'`, `'5files'`, `'5kb'` and `'5px'` as `5`. Note that in `keyIn*` method, the input is every time one character (i.e. the number that is specified must be an integer within the range of `0` to `9`).
2015-04-23 15:59:41 +02:00
* The RegExp tests the input.
* The function that returns boolean to indicate whether it matches is called with the input.
2015-04-20 07:53:22 +02:00
2015-04-22 11:51:25 +02:00
One of above or an Array that includes multiple things (or Array includes Array) can be specified.
2015-04-20 07:53:22 +02:00
For example:
```js
2015-04-23 15:59:41 +02:00
answer = readlineSync.question('How do you like it? :', {
2015-04-20 07:53:22 +02:00
trueValue: ['yes', 'yeah', 'yep'],
falseValue: ['no', 'nah', 'nope']
});
if (answer === true) {
console.log('Let\'s go!');
} else if (answer === false) {
console.log('Oh... It\'s ok...');
} else {
console.log('Sorry. What does "' + answer + '" you said mean?');
}
```
2015-05-15 08:45:25 +02:00
### <a name="basic_options-casesensitive"></a>`caseSensitive`
2015-04-20 07:53:22 +02:00
2015-04-24 05:19:39 +02:00
*Type:* boolean
*Default:* `false`
2015-04-20 07:53:22 +02:00
2015-04-23 15:59:41 +02:00
By default, the string comparisons is case-insensitive (i.e. `a` equals `A`). If `true` is specified, it is case-sensitive, the cases are not ignored (i.e. `a` is different from `A`).
It affects: [`limit`](#basic_options-limit), [`trueValue`](#basic_options-truevalue_falsevalue), [`falseValue`](#basic_options-truevalue_falsevalue), some [placeholders](#placeholders), and some [Utility Methods](#utility_methods).
2015-04-20 07:53:22 +02:00
2015-05-15 08:45:25 +02:00
### <a name="basic_options-keepwhitespace"></a>`keepWhitespace`
2015-04-20 07:53:22 +02:00
2015-04-23 16:14:22 +02:00
_For `question*` and `prompt*` methods only_
2015-04-24 05:19:39 +02:00
*Type:* boolean
*Default:* `false`
2015-04-20 07:53:22 +02:00
2015-04-22 11:51:25 +02:00
By default, remove the leading and trailing white spaces from the input text. If `true` is specified, don't remove those.
2015-04-20 07:53:22 +02:00
2015-05-15 08:45:25 +02:00
### <a name="basic_options-encoding"></a>`encoding`
2015-04-20 07:53:22 +02:00
2015-04-24 05:19:39 +02:00
*Type:* string
*Default:* `'utf8'`
2015-04-20 07:53:22 +02:00
2015-04-23 15:59:41 +02:00
Set the encoding method of the input and output.
2015-04-20 07:53:22 +02:00
2015-05-15 08:45:25 +02:00
### <a name="basic_options-buffersize"></a>`bufferSize`
2015-04-20 07:53:22 +02:00
2015-05-23 06:56:40 +02:00
_For `question*` and `prompt*` methods only_
2015-04-24 05:19:39 +02:00
*Type:* number
*Default:* `1024`
2015-04-20 07:53:22 +02:00
2015-04-22 11:51:25 +02:00
When readlineSync reads from a console directly (without external program), use a size `bufferSize` buffer.
Even if the input by user exceeds it, it's usually no problem, because the buffer is used repeatedly. But some platforms's (e.g. Windows) console might not accept input that exceeds it. And set an enough size.
2015-04-20 07:53:22 +02:00
2015-05-15 08:45:25 +02:00
### <a name="basic_options-print"></a>`print`
2015-04-20 07:53:22 +02:00
2015-04-24 05:19:39 +02:00
*Type:* function or `undefined`
*Default:* `undefined`
2015-04-20 07:53:22 +02:00
Call the specified function with every output. The function is given two arguments, `display` as an output text, and a value of [`encoding`](#basic_options-encoding) option.
2014-07-11 23:25:59 +02:00
2015-03-20 12:34:18 +01:00
For example:
2014-07-11 23:25:59 +02:00
* Pass the plain texts to the Logger (e.g. [log4js](https://github.com/nomiddlename/log4js-node)), after clean the colored texts.
2015-03-20 12:34:18 +01:00
2015-06-11 08:46:05 +02:00
![sample](screen_01.png)
2014-07-11 23:25:59 +02:00
```js
2014-07-13 13:45:56 +02:00
var readlineSync = require('readline-sync'),
2015-03-20 12:34:18 +01:00
chalk = require('chalk'),
2015-04-23 15:59:41 +02:00
log4js = require('log4js'),
logger, user, pw, command;
log4js.configure({appenders: [{type: 'file', filename: 'fooApp.log'}]});
logger = log4js.getLogger('fooApp');
2014-07-11 23:25:59 +02:00
2015-04-20 07:53:22 +02:00
readlineSync.setDefaultOptions({
2015-04-23 15:59:41 +02:00
print: function(display, encoding)
{ logger.info(chalk.stripColor(display)); }, // Remove ctrl-chars.
prompt: chalk.red.bold('> ')
2014-07-11 23:25:59 +02:00
});
2015-03-20 12:34:18 +01:00
console.log(chalk.black.bold.bgYellow(' Your Account '));
user = readlineSync.question(chalk.gray.underline(' USER NAME ') + ' :');
2015-04-22 11:51:25 +02:00
pw = readlineSync.question(chalk.gray.underline(' PASSWORD ') + ' :',
{hideEchoBack: true});
2014-07-11 23:25:59 +02:00
// Authorization ...
2015-03-20 12:34:18 +01:00
console.log(chalk.green('Welcome, ' + user + '!'));
command = readlineSync.prompt();
2014-07-11 23:25:59 +02:00
```
2015-04-23 15:59:41 +02:00
* Output a conversation to a file when an output stream is redirected to record those into a file like `your-script >foo.log`. That is, a conversation isn't outputted to `foo.log` without this code.
2015-03-20 12:34:18 +01:00
```js
2015-04-20 07:53:22 +02:00
readlineSync.setDefaultOptions({
2015-04-23 15:59:41 +02:00
print: function(display, encoding)
{ process.stdout.write(display, encoding); }
2015-03-20 12:34:18 +01:00
});
2015-04-23 15:59:41 +02:00
var name = readlineSync.question('May I have your name? :');
var loc = readlineSync.question('Hi ' + name + '! Where do you live? :');
```
* Let somebody hear our conversation in real time.
It just uses a fifo with above sample code that was named `conv.js`.
2015-04-23 20:31:27 +02:00
Another terminal:
2015-04-23 15:59:41 +02:00
```shell
mkfifo /tmp/fifo
cat /tmp/fifo
```
2015-04-23 20:31:27 +02:00
My terminal:
2015-04-23 15:59:41 +02:00
```shell
node conv.js >/tmp/fifo
```
```console
May I have your name? :Oz
Hi Oz! Where do you live? :Emerald City
```
2015-04-23 20:31:27 +02:00
And then, another terminal shows this synchronously:
2015-04-23 15:59:41 +02:00
```console
May I have your name? :Oz
Hi Oz! Where do you live? :Emerald City
2015-03-20 12:34:18 +01:00
```
2015-05-15 08:45:25 +02:00
### <a name="basic_options-history"></a>`history`
2015-04-20 07:53:22 +02:00
2015-04-23 16:14:22 +02:00
_For `question*` and `prompt*` methods only_
2015-04-24 05:19:39 +02:00
*Type:* boolean
*Default:* `true`
2015-04-20 07:53:22 +02:00
2015-04-23 15:59:41 +02:00
readlineSync supports a history expansion feature that is similar to that of the shell. If `false` is specified, disable this feature.
*It keeps a previous input only.* That is, only `!!`, `!-1`, `!!:p` and `!-1:p` like bash or zsh etc. are supported.
2015-04-20 07:53:22 +02:00
2015-04-23 15:59:41 +02:00
* `!!` or `!-1`: Return a previous input.
* `!!:p` or `!-1:p`: Display a previous input but do not return it, and wait for reinput.
2015-04-20 07:53:22 +02:00
For example:
2015-03-20 12:34:18 +01:00
```js
2015-04-20 07:53:22 +02:00
while (true) {
input = readlineSync.prompt();
console.log('-- You said "' + input + '"');
}
2015-03-20 12:34:18 +01:00
```
2015-04-20 07:53:22 +02:00
```console
> hello
-- You said "hello"
> !!
2015-04-24 12:49:30 +02:00
hello
2015-04-20 07:53:22 +02:00
-- You said "hello"
> !!:p
hello
> bye
-- You said "bye"
```
2015-05-15 08:45:25 +02:00
### <a name="basic_options-cd"></a>`cd`
2015-04-20 07:53:22 +02:00
2015-04-23 16:14:22 +02:00
_For `question*` and `prompt*` methods only_
2015-04-24 05:19:39 +02:00
*Type:* boolean
*Default:* `false`
2015-04-20 07:53:22 +02:00
2015-04-23 15:59:41 +02:00
readlineSync supports the changing the current working directory feature that is similar to the `cd` and `pwd` commands in the shell. If `true` is specified, enable this feature.
This helps the user when you let the user input the multiple local files or directories.
2015-04-20 07:53:22 +02:00
It supports `cd` and `pwd` commands.
2015-04-23 15:59:41 +02:00
* `cd <path>`: Change the current working directory to `<path>`. The `<path>` can include `~` as the home directory.
2015-04-20 07:53:22 +02:00
* `pwd`: Display the current working directory.
When these were input, do not return, and wait for reinput.
2015-03-20 12:34:18 +01:00
For example:
```js
2015-04-20 07:53:22 +02:00
while (true) {
file = readlineSync.questionPath('File :');
console.log('-- Specified file is ' + file);
}
```
2015-03-20 12:34:18 +01:00
2015-04-20 07:53:22 +02:00
```console
File :cd foo-dir/bar-dir
File :pwd
/path/to/foo-dir/bar-dir
File :file-a.js
-- Specified file is /path/to/foo-dir/bar-dir/file-a.js
File :file-b.png
-- Specified file is /path/to/foo-dir/bar-dir/file-b.png
File :file-c.html
-- Specified file is /path/to/foo-dir/bar-dir/file-c.html
2015-03-20 12:34:18 +01:00
```
2015-05-15 08:45:25 +02:00
## <a name="utility_methods"></a>Utility Methods
2015-04-20 07:53:22 +02:00
2015-05-15 08:31:45 +02:00
[`questionEMail`](#utility_methods-questionemail), [`questionNewPassword`](#utility_methods-questionnewpassword), [`questionInt`](#utility_methods-questionint), [`questionFloat`](#utility_methods-questionfloat), [`questionPath`](#utility_methods-questionpath), [`promptCL`](#utility_methods-promptcl), [`promptLoop`](#utility_methods-promptloop), [`promptCLLoop`](#utility_methods-promptclloop), [`promptSimShell`](#utility_methods-promptsimshell), [`keyInYN`](#utility_methods-keyinyn), [`keyInYNStrict`](#utility_methods-keyinynstrict), [`keyInPause`](#utility_methods-keyinpause), [`keyInSelect`](#utility_methods-keyinselect)
These are convenient methods that are extended [Basic Methods](#basic_methods) to be used easily.
2015-03-20 12:34:18 +01:00
2015-05-15 08:45:25 +02:00
### <a name="utility_methods-questionemail"></a>`questionEMail`
2015-02-22 15:45:24 +01:00
```js
2015-04-20 07:53:22 +02:00
email = readlineSync.questionEMail([query[, options]])
2015-02-22 15:45:24 +01:00
```
2015-04-23 15:59:41 +02:00
Display a `query` to the user if it's specified, and then accept only a valid e-mail address, and then return it after an Enter key was pressed.
2015-03-20 12:34:18 +01:00
The `query` is handled the same as that of the [`question`](#basic_methods-question) method.
2015-04-20 07:53:22 +02:00
The default value of `query` is `'Input e-mail address :'`.
*Note:* The valid e-mail address requirement is a willful violation of [RFC5322](http://tools.ietf.org/html/rfc5322), this is defined in [HTML5](http://www.w3.org/TR/html5/forms.html). This works enough to prevent the user mistaking. If you want to change it, specify [`limit`](#basic_options-limit) option.
2015-04-20 07:53:22 +02:00
For example:
2015-03-20 12:34:18 +01:00
```js
2015-04-20 07:53:22 +02:00
email = readlineSync.questionEMail();
console.log('-- E-mail is ' + email);
2015-03-20 12:34:18 +01:00
```
2015-04-20 07:53:22 +02:00
```console
2015-04-24 12:49:30 +02:00
Input e-mail address :abc
2015-04-20 07:53:22 +02:00
Input valid e-mail address, please.
Input e-mail address :mail@example.com
-- E-mail is mail@example.com
```
2015-02-22 15:45:24 +01:00
2015-05-15 08:45:25 +02:00
#### <a name="utility_methods-questionemail-options"></a>Options
2015-04-20 07:53:22 +02:00
The following options have independent default value that is not affected by [Default Options](#basic_options).
2015-04-20 07:53:22 +02:00
| Option Name | Default Value |
|-------------------|---------------|
| [`hideEchoBack`](#basic_options-hideechoback) | `false` |
| [`limit`](#basic_options-limit) | RegExp by [HTML5](http://www.w3.org/TR/html5/forms.html) |
| [`limitMessage`](#basic_options-limitmessage) | `'Input valid e-mail address, please.'` |
| [`trueValue`](#basic_options-truevalue_falsevalue) | `null` |
| [`falseValue`](#basic_options-truevalue_falsevalue) | `null` |
2015-04-20 07:53:22 +02:00
The following options work as shown in the [Basic Options](#basic_options) section.
2015-04-20 07:53:22 +02:00
<table>
<tr><td><a href="#basic_options-mask"><code>mask</code></a></td><td><a href="#basic_options-defaultinput"><code>defaultInput</code></a></td><td><a href="#basic_options-casesensitive"><code>caseSensitive</code></a></td><td><a href="#basic_options-encoding"><code>encoding</code></a></td><td><a href="#basic_options-buffersize"><code>bufferSize</code></a></td></tr>
<tr><td><a href="#basic_options-print"><code>print</code></a></td><td><a href="#basic_options-history"><code>history</code></a></td></tr>
2015-04-20 07:53:22 +02:00
</table>
2015-01-26 21:21:47 +01:00
2015-05-15 08:45:25 +02:00
### <a name="utility_methods-questionnewpassword"></a>`questionNewPassword`
2015-01-26 21:21:47 +01:00
2015-04-20 07:53:22 +02:00
```js
password = readlineSync.questionNewPassword([query[, options]])
```
2015-01-26 21:21:47 +01:00
2015-04-23 15:59:41 +02:00
Display a `query` to the user if it's specified, and then accept only a valid password, and then request same one again, and then return it after an Enter key was pressed.
2015-04-22 11:51:25 +02:00
It's the password, or something that is the secret text like the password.
2015-04-20 07:53:22 +02:00
You can specify the valid password requirement to the options.
2015-01-26 21:21:47 +01:00
The `query` is handled the same as that of the [`question`](#basic_methods-question) method.
2015-04-20 07:53:22 +02:00
The default value of `query` is `'Input new password :'`.
*Note:* Only the form of password is checked. Check it more if you want. For example, [zxcvbn](https://github.com/dropbox/zxcvbn) is password strength estimation library.
2015-03-20 12:34:18 +01:00
2015-01-26 21:21:47 +01:00
For example:
```js
2015-04-20 07:53:22 +02:00
password = readlineSync.questionNewPassword();
console.log('-- Password is ' + password);
2015-01-26 21:21:47 +01:00
```
2015-04-20 07:53:22 +02:00
```console
Input new password :************
It can include: 0...9, A...Z, a...z, !"#$%&'()*+,-./:;<=>?@[\]^_`{|}~
2015-04-23 15:59:41 +02:00
And the length must be: 12...24
2015-04-22 11:51:25 +02:00
Input new password :*************
2015-04-23 15:59:41 +02:00
Reinput a same one to confirm it :*************
2015-04-20 07:53:22 +02:00
It differs from first one. Hit only Enter key if you want to retry from first one.
2015-04-23 15:59:41 +02:00
Reinput a same one to confirm it :*************
2015-04-22 11:51:25 +02:00
-- Password is _my_password_
2015-04-20 07:53:22 +02:00
```
2015-05-15 08:45:25 +02:00
#### <a name="utility_methods-questionnewpassword-options"></a>Options
2015-04-20 07:53:22 +02:00
The following options have independent default value that is not affected by [Default Options](#basic_options).
2015-04-20 07:53:22 +02:00
| Option Name | Default Value |
|-------------------|---------------|
| [`hideEchoBack`](#basic_options-hideechoback) | `true` |
| [`mask`](#basic_options-mask) | `'*'` |
| [`limitMessage`](#basic_options-limitmessage) | `'It can include: ${charlist}\nAnd the length must be: ${length}'` |
| [`trueValue`](#basic_options-truevalue_falsevalue) | `null` |
| [`falseValue`](#basic_options-truevalue_falsevalue) | `null` |
| [`caseSensitive`](#basic_options-casesensitive) | `true` |
2015-04-20 07:53:22 +02:00
The following options work as shown in the [Basic Options](#basic_options) section.
2015-04-20 07:53:22 +02:00
<table>
<tr><td><a href="#basic_options-defaultinput"><code>defaultInput</code></a></td><td><a href="#basic_options-keepwhitespace"><code>keepWhitespace</code></a></td><td><a href="#basic_options-encoding"><code>encoding</code></a></td><td><a href="#basic_options-buffersize"><code>bufferSize</code></a></td><td><a href="#basic_options-print"><code>print</code></a></td></tr>
2015-04-20 07:53:22 +02:00
</table>
And the following additional options are available.
2015-05-15 08:45:25 +02:00
##### <a name="utility_methods-questionnewpassword-options-charlist"></a>`charlist`
2015-04-20 07:53:22 +02:00
2015-04-24 05:19:39 +02:00
*Type:* string
*Default:* `'${!-~}'`
2015-04-20 07:53:22 +02:00
A string as the characters that can be included in the password. For example, if `'abc123'` is specified, the passwords that include any character other than these 6 characters are refused.
The [placeholders](#placeholders) like `'${a-e}'` are replaced to the characters like `'abcde'`.
For example, let the user input a password that is created with alphabet and some symbols:
```js
password = readlineSync.questionNewPassword('PASSWORD :', {charlist: '${a-z}#$@%'});
```
2015-05-15 08:45:25 +02:00
##### <a name="utility_methods-questionnewpassword-options-min_max"></a>`min`, `max`
2015-04-20 07:53:22 +02:00
2015-04-24 05:19:39 +02:00
*Type:* number
*Default:* `min`: `12`, `max`: `24`
2015-04-20 07:53:22 +02:00
`min`: A number as a minimum length of the password.
`max`: A number as a maximum length of the password.
2015-05-15 08:45:25 +02:00
##### <a name="utility_methods-questionnewpassword-options-confirmmessage"></a>`confirmMessage`
2015-04-20 07:53:22 +02:00
2015-04-24 05:19:39 +02:00
*Type:* string or others
*Default:* `'Reinput a same one to confirm it :'`
2015-04-20 07:53:22 +02:00
2015-04-22 11:51:25 +02:00
A message that lets the user input the same password again.
It can include the [placeholders](#placeholders).
2015-04-20 07:53:22 +02:00
If this is not string, it is converted to string (i.e. `toString` method is called).
2015-05-15 08:45:25 +02:00
##### <a name="utility_methods-questionnewpassword-options-unmatchmessage"></a>`unmatchMessage`
2015-04-20 07:53:22 +02:00
2015-04-24 05:19:39 +02:00
*Type:* string or others
*Default:* `'It differs from first one. Hit only Enter key if you want to retry from first one.'`
2015-04-20 07:53:22 +02:00
A warning message that is displayed when the second input did not match first one.
This is converted the same as the [`confirmMessage`](#utility_methods-questionnewpassword-options-confirmmessage) option.
2015-04-20 07:53:22 +02:00
2015-05-15 08:45:25 +02:00
#### <a name="utility_methods-questionnewpassword-additional_placeholders"></a>Additional Placeholders
2015-04-20 07:53:22 +02:00
2015-04-22 11:51:25 +02:00
The following additional [placeholder](#placeholders) parameters are available.
2015-04-20 07:53:22 +02:00
2015-05-15 08:45:25 +02:00
##### <a name="utility_methods-questionnewpassword-additional_placeholders-charlist"></a>`charlist`
2015-04-20 07:53:22 +02:00
A current value of [`charlist`](#utility_methods-questionnewpassword-options-charlist) option that is converted to human readable if possible. (e.g. `'A...Z'`)
2015-04-20 07:53:22 +02:00
2015-05-15 08:45:25 +02:00
##### <a name="utility_methods-questionnewpassword-additional_placeholders-length"></a>`length`
2015-04-20 07:53:22 +02:00
A current value of [`min` and `max`](#utility_methods-questionnewpassword-options-min_max) option that is converted to human readable. (e.g. `'12...24'`)
2015-04-20 07:53:22 +02:00
2015-05-15 08:45:25 +02:00
### <a name="utility_methods-questionint"></a>`questionInt`
2015-04-20 07:53:22 +02:00
```js
numInt = readlineSync.questionInt([query[, options]])
```
2015-04-23 15:59:41 +02:00
Display a `query` to the user if it's specified, and then accept only an input that can be interpreted as an integer, and then return the number (not string) after an Enter key was pressed.
This parses the input as much as possible by `parseInt()`. For example, it interprets `' 5 '`, `'5.6'`, `'005'`, `'5files'`, `'5kb'` and `'5px'` as `5`.
2015-04-20 07:53:22 +02:00
The `query` is handled the same as that of the [`question`](#basic_methods-question) method.
2015-04-20 07:53:22 +02:00
2015-05-15 08:45:25 +02:00
#### <a name="utility_methods-questionint-options"></a>Options
2015-04-20 07:53:22 +02:00
The following option has independent default value that is not affected by [Default Options](#basic_options).
2015-04-20 07:53:22 +02:00
| Option Name | Default Value |
|-------------------|---------------|
| [`limitMessage`](#basic_options-limitmessage) | `'Input valid number, please.'` |
2015-04-20 07:53:22 +02:00
The following options work as shown in the [Basic Options](#basic_options) section.
2015-04-20 07:53:22 +02:00
<table>
2015-05-23 06:56:40 +02:00
<tr><td><a href="#basic_options-hideechoback"><code>hideEchoBack</code></a></td><td><a href="#basic_options-mask"><code>mask</code></a></td><td><a href="#basic_options-defaultinput"><code>defaultInput</code></a></td><td><a href="#basic_options-encoding"><code>encoding</code></a></td><td><a href="#basic_options-buffersize"><code>bufferSize</code></a></td></tr>
<tr><td><a href="#basic_options-print"><code>print</code></a></td><td><a href="#basic_options-history"><code>history</code></a></td></tr>
2015-04-20 07:53:22 +02:00
</table>
2015-05-15 08:45:25 +02:00
### <a name="utility_methods-questionfloat"></a>`questionFloat`
2015-04-20 07:53:22 +02:00
```js
numFloat = readlineSync.questionFloat([query[, options]])
```
2015-04-23 15:59:41 +02:00
Display a `query` to the user if it's specified, and then accept only an input that can be interpreted as a floating-point number, and then return the number (not string) after an Enter key was pressed.
This parses the input as much as possible by `parseFloat()`. For example, it interprets `' 3.14 '`, `'003.1400'`, `'314e-2'` and `'3.14PI'` as `3.14`.
2015-04-20 07:53:22 +02:00
The `query` is handled the same as that of the [`question`](#basic_methods-question) method.
2015-04-20 07:53:22 +02:00
2015-05-15 08:45:25 +02:00
#### <a name="utility_methods-questionfloat-options"></a>Options
2015-04-20 07:53:22 +02:00
The following option has independent default value that is not affected by [Default Options](#basic_options).
2015-04-20 07:53:22 +02:00
| Option Name | Default Value |
|-------------------|---------------|
| [`limitMessage`](#basic_options-limitmessage) | `'Input valid number, please.'` |
2015-04-20 07:53:22 +02:00
The following options work as shown in the [Basic Options](#basic_options) section.
2015-04-20 07:53:22 +02:00
<table>
2015-05-23 06:56:40 +02:00
<tr><td><a href="#basic_options-hideechoback"><code>hideEchoBack</code></a></td><td><a href="#basic_options-mask"><code>mask</code></a></td><td><a href="#basic_options-defaultinput"><code>defaultInput</code></a></td><td><a href="#basic_options-encoding"><code>encoding</code></a></td><td><a href="#basic_options-buffersize"><code>bufferSize</code></a></td></tr>
<tr><td><a href="#basic_options-print"><code>print</code></a></td><td><a href="#basic_options-history"><code>history</code></a></td></tr>
2015-04-20 07:53:22 +02:00
</table>
2015-05-15 08:45:25 +02:00
### <a name="utility_methods-questionpath"></a>`questionPath`
2015-04-20 07:53:22 +02:00
```js
path = readlineSync.questionPath([query[, options]])
```
2015-04-23 15:59:41 +02:00
Display a `query` to the user if it's specified, and then accept only a valid local file or directory path, and then return an absolute path after an Enter key was pressed.
The `~` that is input by the user is replaced to the home directory.
2015-04-20 07:53:22 +02:00
You can specify the valid local file or directory path requirement to the options. And you can make it create a new file or directory when it doesn't exist.
It is recommended to use this method with the [`cd`](#basic_options-cd) option. (Default: `true`)
2015-04-20 07:53:22 +02:00
The `query` is handled the same as that of the [`question`](#basic_methods-question) method.
2015-04-20 07:53:22 +02:00
The default value of `query` is `'Input path (you can "cd" and "pwd") :'`.
For example:
```js
2015-04-22 11:51:25 +02:00
sourceFile = readlineSync.questionPath('Read from :', {
2015-04-24 12:55:10 +02:00
isFile: true
2015-04-22 11:51:25 +02:00
});
2015-04-20 07:53:22 +02:00
console.log('-- sourceFile: ' + sourceFile);
2015-04-22 11:51:25 +02:00
saveDir = readlineSync.questionPath('Save to :', {
isDirectory: true,
2015-04-24 12:55:10 +02:00
exists: null,
2015-04-22 11:51:25 +02:00
create: true
});
2015-04-20 07:53:22 +02:00
console.log('-- saveDir: ' + saveDir);
```
2015-01-26 21:21:47 +01:00
```console
2015-04-20 07:53:22 +02:00
Read from :~/fileA
No such file or directory: /home/user/fileA
2015-04-24 13:00:33 +02:00
Input valid path, please.
2015-04-20 07:53:22 +02:00
Read from :pwd
/path/to/work
Read from :cd ~/project-1
Read from :fileA
-- sourceFile: /home/user/project-1/fileA
Save to :~/deploy/data
-- saveDir: /home/user/deploy/data
2015-01-26 21:21:47 +01:00
```
2015-05-15 08:45:25 +02:00
#### <a name="utility_methods-questionpath-options"></a>Options
The following options have independent default value that is not affected by [Default Options](#basic_options).
2015-04-20 07:53:22 +02:00
| Option Name | Default Value |
|-------------------|---------------|
| [`hideEchoBack`](#basic_options-hideechoback) | `false` |
| [`limitMessage`](#basic_options-limitmessage) | `'${error(\n)}Input valid path, please.${( Min:)min}${( Max:)max}'` |
| [`history`](#basic_options-history) | `true` |
| [`cd`](#basic_options-cd) | `true` |
The following options work as shown in the [Basic Options](#basic_options) section.
2015-04-20 07:53:22 +02:00
<table>
2015-05-23 06:56:40 +02:00
<tr><td><a href="#basic_options-mask"><code>mask</code></a></td><td><a href="#basic_options-defaultinput"><code>defaultInput</code></a></td><td><a href="#basic_options-encoding"><code>encoding</code></a></td><td><a href="#basic_options-buffersize"><code>bufferSize</code></a></td><td><a href="#basic_options-print"><code>print</code></a></td></tr>
2015-04-20 07:53:22 +02:00
</table>
And the following additional options are available.
*Note:* It does not check the coherency about a combination of the options as the path requirement. For example, the `{exists: false, isFile: true}` never check that it is a file because it is limited to the path that does not exist.
2015-05-15 08:45:25 +02:00
##### <a name="utility_methods-questionpath-options-exists"></a>`exists`
2015-04-20 07:53:22 +02:00
2015-04-24 05:19:39 +02:00
*Type:* boolean or others
*Default:* `true`
2015-04-20 07:53:22 +02:00
2015-04-23 15:59:41 +02:00
If `true` is specified, accept only a file or directory path that exists. If `false` is specified, accept only a file or directory path that does *not* exist.
In any other case, the existence is not checked.
2015-04-20 07:53:22 +02:00
2015-05-15 08:45:25 +02:00
##### <a name="utility_methods-questionpath-options-min_max"></a>`min`, `max`
2015-04-20 07:53:22 +02:00
2015-04-24 05:19:39 +02:00
*Type:* number or others
*Default:* `undefined`
2015-04-20 07:53:22 +02:00
`min`: A number as a minimum size of the file that is accepted.
`max`: A number as a maximum size of the file that is accepted.
If it is not specified or `0` is specified, the size is not checked. (A size of directory is `0`.)
2015-05-15 08:45:25 +02:00
##### <a name="utility_methods-questionpath-options-isfile_isdirectory"></a>`isFile`, `isDirectory`
2015-04-20 07:53:22 +02:00
2015-04-24 05:19:39 +02:00
*Type:* boolean
*Default:* `false`
2015-04-20 07:53:22 +02:00
2015-04-23 15:59:41 +02:00
`isFile`: If `true` is specified, accept only a file path.
`isDirectory`: If `true` is specified, accept only a directory path.
2015-04-20 07:53:22 +02:00
2015-05-15 08:45:25 +02:00
##### <a name="utility_methods-questionpath-options-validate"></a>`validate`
2015-04-20 07:53:22 +02:00
2015-04-24 05:19:39 +02:00
*Type:* function or `undefined`
*Default:* `undefined`
2015-04-20 07:53:22 +02:00
If a function that returns `true` or an error message is specified, call it with a path that was input, and accept the input when the function returned `true`.
If the function returned a string as an error message, that message is got by the [`error`](#utility_methods-questionpath-additional_placeholders-error) additional [placeholder](#placeholders) parameter.
2015-04-20 07:53:22 +02:00
A path that was input is parsed before it is passed to the function. `~` is replaced to a home directory, and a path is converted to an absolute path.
This is also a return value from this method.
For example, accept only PNG file or tell it to the user:
```js
imageFile = readlineSync.questionPath('Image File :', {
validate: function(path) { return /\.png$/i.test(path) || 'It is not PNG'; }
});
```
2015-05-15 08:45:25 +02:00
##### <a name="utility_methods-questionpath-options-create"></a>`create`
2015-04-20 07:53:22 +02:00
2015-04-24 05:19:39 +02:00
*Type:* boolean
*Default:* `false`
2015-04-20 07:53:22 +02:00
If `true` is specified, create a file or directory as a path that was input when it doesn't exist. If `true` is specified to the [`isDirectory`](#utility_methods-questionpath-options-isfile_isdirectory) option, create a directory, otherwise a file.
It does not affect the existence check. Therefore, you can get a new file or directory path anytime by specifying: `{exists: false, create: true}`
2015-05-15 08:45:25 +02:00
#### <a name="utility_methods-questionpath-additional_placeholders"></a>Additional Placeholders
The following additional [placeholder](#placeholders) parameters are available.
2015-05-15 08:45:25 +02:00
##### <a name="utility_methods-questionpath-additional_placeholders-error"></a>`error`
An error message when the input was not accepted.
This value is set by readlineSync, or the function that was specified to [`validate`](#utility_methods-questionpath-options-validate) option.
2015-05-15 08:45:25 +02:00
##### <a name="utility_methods-questionpath-additional_placeholders-min_max"></a>`min`, `max`
A current value of [`min` and `max`](#utility_methods-questionpath-options-min_max) option.
2015-04-20 07:53:22 +02:00
2015-05-15 08:45:25 +02:00
### <a name="utility_methods-promptcl"></a>`promptCL`
2015-04-20 07:53:22 +02:00
```js
argsArray = readlineSync.promptCL([commandHandler[, options]])
```
Display a prompt-sign (see [`prompt`](#basic_options-prompt) option) to the user, and then consider the input as a command-line and parse it, and then return a result after an Enter key was pressed.
2015-04-22 11:51:25 +02:00
A return value is an Array that includes the tokens that were parsed. It parses the input from the user as the command-line, and it interprets whitespaces, quotes, etc., and it splits it to tokens properly. Usually, a first element of the Array is command-name, and remaining elements are arguments.
For example:
```js
2015-04-20 07:53:22 +02:00
argsArray = readlineSync.promptCL();
2015-04-24 13:44:47 +02:00
console.log(argsArray.join('\n'));
2015-04-20 07:53:22 +02:00
```
```console
> command arg "arg" " a r g " "" 'a"r"g' "a""rg" "arg
command
arg
arg
a r g
a"r"g
arg
arg
```
2015-05-15 08:45:25 +02:00
#### <a name="utility_methods-promptcl-commandhandler"></a>`commandHandler`
2015-04-20 07:53:22 +02:00
By using the `commandHandler` argument, this method will come into its own. Specifying the Object to this argument has the more merit. And it has the more merit for [`promptCLLoop`](#utility_methods-promptclloop) method.
2015-04-20 07:53:22 +02:00
2015-04-23 15:59:41 +02:00
If a function is specified to `commandHandler` argument, it is just called with a parsed Array as an argument list of the function. And `this` is an original input string, in the function.
2015-04-20 07:53:22 +02:00
For example, the following 2 codes work same except that `this` is enabled in the second one:
2015-04-20 07:53:22 +02:00
```js
argsArray = readlineSync.promptCL();
if (argsArray[0] === 'add') {
console.log(argsArray[1] + ' is added.');
} else if (argsArray[0] === 'copy') {
console.log(argsArray[1] + ' is copied to ' + argsArray[2] + '.');
}
```
```js
readlineSync.promptCL(function(command, arg1, arg2) {
console.log('You want to: ' + this); // All of command-line.
if (command === 'add') {
console.log(arg1 + ' is added.');
} else if (command === 'copy') {
console.log(arg1 + ' is copied to ' + arg2 + '.');
}
});
```
If an Object that has properties named as the command-name is specified, the command-name is interpreted, and a function as the value of matched property is called. A function is chosen properly by handling case of the command-name in accordance with the [`caseSensitive`](#basic_options-casesensitive) option.
2015-04-20 07:53:22 +02:00
The function is called with a parsed Array that excludes a command-name (i.e. first element is removed from the Array) as an argument list of the function.
That is, a structure of the `commandHandler` Object looks like:
```js
{
commandA: function(arg) { ... }, // commandA requires one argument.
commandB: function(arg1, arg2) { ... }, // readlineSync doesn't care those.
commandC: function() { ... } // Of course, it can also ignore all.
}
```
readlineSync just receives the arguments from the user and passes those to these functions without checking. The functions may have to check whether the required argument was input by the user, and more validate those.
For example, the following code works same to the above code:
2015-04-20 07:53:22 +02:00
```js
readlineSync.promptCL({
add: function(element) { // It's called by also "ADD", "Add", "aDd", etc..
console.log(element + ' is added.');
},
copy: function(from, to) {
console.log(from + ' is copied to ' + to + '.');
}
});
```
If the matched property is not found in the Object, a `_` property is chosen, and the function as the value of this property is called with a parsed Array as an argument list of the function. Note that this includes a command-name. That is, the function looks like `function(command, arg1, arg2, ...) { ... }`.
2015-04-22 11:51:25 +02:00
And if the Object doesn't have a `_` property, any command that the matched property is not found in the Object is refused.
2015-04-20 07:53:22 +02:00
For example:
```js
readlineSync.promptCL({
copy: function(from, to) { // command-name is not included.
console.log(from + ' is copied to ' + to + '.');
},
_: function(command) { // command-name is included.
console.log('Sorry, ' + command + ' is not available.');
}
});
```
2015-05-15 08:45:25 +02:00
#### <a name="utility_methods-promptcl-options"></a>Options
2015-04-20 07:53:22 +02:00
The following options have independent default value that is not affected by [Default Options](#basic_options).
2015-04-20 07:53:22 +02:00
| Option Name | Default Value |
|-------------------|---------------|
| [`hideEchoBack`](#basic_options-hideechoback) | `false` |
| [`limitMessage`](#basic_options-limitmessage) | `'Requested command is not available.'` |
| [`caseSensitive`](#basic_options-casesensitive) | `false` |
| [`history`](#basic_options-history) | `true` |
2015-04-20 07:53:22 +02:00
The following options work as shown in the [Basic Options](#basic_options) section.
2015-04-20 07:53:22 +02:00
<table>
<tr><td><a href="#basic_options-prompt"><code>prompt</code></a></td><td><a href="#basic_options-mask"><code>mask</code></a></td><td><a href="#basic_options-defaultinput"><code>defaultInput</code></a></td><td><a href="#basic_options-encoding"><code>encoding</code></a></td><td><a href="#basic_options-buffersize"><code>bufferSize</code></a></td></tr>
<tr><td><a href="#basic_options-print"><code>print</code></a></td><td><a href="#basic_options-cd"><code>cd</code></a></td></tr>
2015-04-20 07:53:22 +02:00
</table>
2015-05-15 08:45:25 +02:00
### <a name="utility_methods-promptloop"></a>`promptLoop`
2015-04-20 07:53:22 +02:00
```js
readlineSync.promptLoop(inputHandler[, options])
```
Display a prompt-sign (see [`prompt`](#basic_options-prompt) option) to the user, and then call `inputHandler` function with the input from the user after it has been typed and an Enter key was pressed. Do these repeatedly until `inputHandler` function returns `true`.
2015-04-20 07:53:22 +02:00
For example, the following 2 codes work same:
2015-04-20 07:53:22 +02:00
```js
while (true) {
input = readlineSync.prompt();
console.log('-- You said "' + input + '"');
if (input === 'bye') {
break;
}
}
console.log('It\'s exited from loop.');
```
```js
readlineSync.promptLoop(function(input) {
console.log('-- You said "' + input + '"');
return input === 'bye';
});
console.log('It\'s exited from loop.');
```
```console
> hello
-- You said "hello"
> good morning
-- You said "good morning"
> bye
-- You said "bye"
It's exited from loop.
```
2015-05-15 08:45:25 +02:00
#### <a name="utility_methods-promptloop-options"></a>Options
2015-04-20 07:53:22 +02:00
The following options have independent default value that is not affected by [Default Options](#basic_options).
2015-04-20 07:53:22 +02:00
| Option Name | Default Value |
|-------------------|---------------|
| [`hideEchoBack`](#basic_options-hideechoback) | `false` |
| [`trueValue`](#basic_options-truevalue_falsevalue) | `null` |
| [`falseValue`](#basic_options-truevalue_falsevalue) | `null` |
| [`caseSensitive`](#basic_options-casesensitive) | `false` |
| [`history`](#basic_options-history) | `true` |
2015-04-20 07:53:22 +02:00
The other options work as shown in the [Basic Options](#basic_options) section.
2015-04-20 07:53:22 +02:00
2015-05-15 08:45:25 +02:00
### <a name="utility_methods-promptclloop"></a>`promptCLLoop`
2015-04-20 07:53:22 +02:00
```js
readlineSync.promptCLLoop([commandHandler[, options]])
```
Execute [`promptCL`](#utility_methods-promptcl) method repeatedly until chosen [`commandHandler`](#utility_methods-promptcl-commandhandler) returns `true`.
The [`commandHandler`](#utility_methods-promptcl-commandhandler) may be a function that is called like:
2015-04-20 07:53:22 +02:00
```js
2015-04-23 15:59:41 +02:00
exit = allCommands(command, arg1, arg2, ...);
2015-04-20 07:53:22 +02:00
```
2015-04-23 15:59:41 +02:00
or an Object that has the functions that are called like:
2015-04-20 07:53:22 +02:00
```js
exit = foundCommand(arg1, arg2, ...);
```
See [`promptCL`](#utility_methods-promptcl) method for details.
This method looks like a combination of [`promptCL`](#utility_methods-promptcl) method and [`promptLoop`](#utility_methods-promptloop) method.
2015-04-20 07:53:22 +02:00
For example:
```js
readlineSync.promptCLLoop({
add: function(element) {
console.log(element + ' is added.');
},
copy: function(from, to) {
console.log(from + ' is copied to ' + to + '.');
},
bye: function() { return true; }
});
console.log('It\'s exited from loop.');
```
```console
> add "New Hard Disk"
New Hard Disk is added.
> move filesOnOld "New Hard Disk"
Requested command is not available.
> copy filesOnOld "New Hard Disk"
filesOnOld is copied to New Hard Disk.
> bye
It's exited from loop.
```
2015-05-15 08:45:25 +02:00
#### <a name="utility_methods-promptclloop-options"></a>Options
2015-04-20 07:53:22 +02:00
The following options have independent default value that is not affected by [Default Options](#basic_options).
2015-04-20 07:53:22 +02:00
| Option Name | Default Value |
|-------------------|---------------|
| [`hideEchoBack`](#basic_options-hideechoback) | `false` |
| [`limitMessage`](#basic_options-limitmessage) | `'Requested command is not available.'` |
| [`caseSensitive`](#basic_options-casesensitive) | `false` |
| [`history`](#basic_options-history) | `true` |
2015-04-20 07:53:22 +02:00
The following options work as shown in the [Basic Options](#basic_options) section.
2015-04-20 07:53:22 +02:00
<table>
<tr><td><a href="#basic_options-prompt"><code>prompt</code></a></td><td><a href="#basic_options-mask"><code>mask</code></a></td><td><a href="#basic_options-defaultinput"><code>defaultInput</code></a></td><td><a href="#basic_options-encoding"><code>encoding</code></a></td><td><a href="#basic_options-buffersize"><code>bufferSize</code></a></td></tr>
<tr><td><a href="#basic_options-print"><code>print</code></a></td><td><a href="#basic_options-cd"><code>cd</code></a></td></tr>
2015-04-20 07:53:22 +02:00
</table>
2015-05-15 08:45:25 +02:00
### <a name="utility_methods-promptsimshell"></a>`promptSimShell`
2015-04-20 07:53:22 +02:00
```js
input = readlineSync.promptSimShell([options])
```
2015-04-23 15:59:41 +02:00
Display a prompt-sign that is similar to that of the user's shell to the user, and then return the input from the user after it has been typed and an Enter key was pressed.
This method displays a prompt-sign like:
2015-04-20 07:53:22 +02:00
On Windows:
2015-04-24 10:10:21 +02:00
```shell
2015-04-20 07:53:22 +02:00
C:\Users\User\Path\To\Directory>
```
On others:
2015-04-24 10:10:21 +02:00
```shell
2015-04-20 07:53:22 +02:00
user@host:~/path/to/directory$
```
2015-05-15 08:45:25 +02:00
#### <a name="utility_methods-promptsimshell-options"></a>Options
2015-04-20 07:53:22 +02:00
The following options have independent default value that is not affected by [Default Options](#basic_options).
2015-04-20 07:53:22 +02:00
| Option Name | Default Value |
|-------------------|---------------|
| [`hideEchoBack`](#basic_options-hideechoback) | `false` |
| [`history`](#basic_options-history) | `true` |
2015-04-20 07:53:22 +02:00
The other options other than [`prompt`](#basic_options-prompt) option work as shown in the [Basic Options](#basic_options) section.
2015-04-20 07:53:22 +02:00
2015-05-15 08:45:25 +02:00
### <a name="utility_methods-keyinyn"></a>`keyInYN`
2015-04-20 07:53:22 +02:00
```js
boolYesOrEmpty = readlineSync.keyInYN([query[, options]])
```
2015-04-23 15:59:41 +02:00
Display a `query` to the user if it's specified, and then return a boolean or an empty string immediately a key was pressed by the user, **without pressing an Enter key**. Note that the user has no chance to change the input.
2015-04-20 07:53:22 +02:00
This method works like the `window.confirm` method of web browsers. A return value means "Yes" or "No" the user said. It differ depending on the pressed key:
* `Y`: `true`
* `N`: `false`
* other: `''`
The `query` is handled the same as that of the [`question`](#basic_methods-question) method.
2015-04-20 07:53:22 +02:00
The default value of `query` is `'Are you sure? :'`.
The keys other than `Y` and `N` are also accepted (If you want to know a user's wish explicitly, use [`keyInYNStrict`](#utility_methods-keyinynstrict) method). Therefore, if you let the user make an important decision (e.g. files are removed), check whether the return value is not *falsy*. That is, a default is "No".
2015-04-20 07:53:22 +02:00
For example:
```js
if (!readlineSync.keyInYN('Do you want to install this?')) {
// Key that is not `Y` was pressed.
process.exit();
}
// Do something...
```
Or if you let the user stop something that must be done (e.g. something about the security), check whether the return value is `false` explicitly. That is, a default is "Yes".
For example:
```js
// Don't use `(!readlineSync.keyInYN())`.
if (readlineSync.keyInYN('Continue virus scan?') === false) {
// `N` key was pressed.
process.exit();
}
2015-04-20 07:53:22 +02:00
// Continue...
```
2015-05-15 08:45:25 +02:00
#### <a name="utility_methods-keyinyn-options"></a>Options
2015-04-20 07:53:22 +02:00
The following options work as shown in the [Basic Options](#basic_options) section.
2015-04-20 07:53:22 +02:00
<table>
2015-05-23 06:56:40 +02:00
<tr><td><a href="#basic_options-encoding"><code>encoding</code></a></td><td><a href="#basic_options-print"><code>print</code></a></td></tr>
2015-04-20 07:53:22 +02:00
</table>
And the following additional option is available.
2015-05-15 08:45:25 +02:00
##### <a name="utility_methods-keyinyn-options-guide"></a>`guide`
2015-04-20 07:53:22 +02:00
2015-04-24 05:19:39 +02:00
*Type:* boolean
*Default:* `true`
2015-04-20 07:53:22 +02:00
If `true` is specified, a string `'[y/n]'` as guide for the user is added to `query`. And `':'` is moved to the end of `query`, or it is added.
For example:
```js
readlineSync.keyInYN('Do you like me?'); // No colon
readlineSync.keyInYN('Really? :'); // Colon already exists
```
``` console
2015-04-24 13:44:47 +02:00
Do you like me? [y/n] :y
Really? [y/n] :y
```
2015-05-15 08:45:25 +02:00
### <a name="utility_methods-keyinynstrict"></a>`keyInYNStrict`
2015-04-20 07:53:22 +02:00
```js
boolYes = readlineSync.keyInYNStrict([query[, options]])
```
2015-04-23 15:59:41 +02:00
Display a `query` to the user if it's specified, and then accept only `Y` or `N` key, and then return a boolean immediately it was pressed by the user, **without pressing an Enter key**. Note that the user has no chance to change the input.
2015-04-20 07:53:22 +02:00
This method works like the `window.confirm` method of web browsers. A return value means "Yes" or "No" the user said. It differ depending on the pressed key:
2015-04-20 07:53:22 +02:00
* `Y`: `true`
* `N`: `false`
The `query` is handled the same as that of the [`question`](#basic_methods-question) method.
2015-04-20 07:53:22 +02:00
The default value of `query` is `'Are you sure? :'`.
2015-01-26 21:21:47 +01:00
A key other than `Y` and `N` is not accepted. That is, a return value has no default. Therefore, the user has to tell an own wish explicitly. If you want to know a user's wish easily, use [`keyInYN`](#utility_methods-keyinyn) method.
2015-01-26 21:21:47 +01:00
2015-05-15 08:31:45 +02:00
This method works same to [`keyInYN`](#utility_methods-keyinyn) method except that this accept only `Y` or `N` key (Therefore, a return value is boolean every time). The options also work same to [`keyInYN`](#utility_methods-keyinyn) method.
2015-04-20 07:53:22 +02:00
2015-05-15 08:45:25 +02:00
### <a name="utility_methods-keyinpause"></a>`keyInPause`
2015-04-20 07:53:22 +02:00
```js
readlineSync.keyInPause([query[, options]])
```
2015-04-23 15:59:41 +02:00
Display a `query` to the user if it's specified, and then just wait for a key to be pressed by the user.
2015-04-20 07:53:22 +02:00
This method works like the `window.alert` method of web browsers. This is used to make the running of script pause and show something to the user, or wait for the user to be ready.
By default, any key is accepted. You can change this behavior by specifying [`limit`](#basic_options-limit) option (e.g. accept only a Space Bar).
2015-04-20 07:53:22 +02:00
The `query` is handled the same as that of the [`question`](#basic_methods-question) method.
2015-04-20 07:53:22 +02:00
The default value of `query` is `'Continue...'`.
For example:
```js
// Have made the preparations for something...
console.log('==== Informations of Your Computer ====');
console.log(info); // This can be `query`.
readlineSync.keyInPause();
console.log('It\'s executing now...');
// Do something...
```
```console
==== Informations of Your Computer ====
FOO: 123456
BAR: abcdef
Continue... (Hit any key)
It's executing now...
```
2015-05-15 08:45:25 +02:00
#### <a name="utility_methods-keyinpause-options"></a>Options
2015-04-20 07:53:22 +02:00
The following option has independent default value that is not affected by [Default Options](#basic_options).
2015-04-20 07:53:22 +02:00
| Option Name | Default Value |
|-------------------|---------------|
| [`limit`](#basic_options-limit) | `null` |
2015-04-20 07:53:22 +02:00
The following options work as shown in the [Basic Options](#basic_options) section.
2015-04-20 07:53:22 +02:00
<table>
2015-05-23 06:56:40 +02:00
<tr><td><a href="#basic_options-casesensitive"><code>caseSensitive</code></a></td><td><a href="#basic_options-encoding"><code>encoding</code></a></td><td><a href="#basic_options-print"><code>print</code></a></td></tr>
2015-04-20 07:53:22 +02:00
</table>
And the following additional option is available.
2015-05-15 08:45:25 +02:00
##### <a name="utility_methods-keyinpause-options-guide"></a>`guide`
2015-04-20 07:53:22 +02:00
2015-04-24 05:19:39 +02:00
*Type:* boolean
*Default:* `true`
2015-04-20 07:53:22 +02:00
If `true` is specified, a string `'(Hit any key)'` as guide for the user is added to `query`.
For example:
```js
2015-04-24 13:44:47 +02:00
readlineSync.keyInPause('It\'s pausing now...');
2015-04-20 07:53:22 +02:00
```
``` console
It's pausing now... (Hit any key)
```
2015-05-15 08:45:25 +02:00
### <a name="utility_methods-keyinselect"></a>`keyInSelect`
2015-04-20 07:53:22 +02:00
```js
2015-04-22 11:51:25 +02:00
index = readlineSync.keyInSelect(items[, query[, options]])
2015-04-20 07:53:22 +02:00
```
2015-04-22 11:51:25 +02:00
Display the list that was created with the `items` Array, and the `query` to the user if it's specified, and then return the number as an index of the `items` Array immediately it was chosen by pressing a key by the user, **without pressing an Enter key**. Note that the user has no chance to change the input.
2015-04-20 07:53:22 +02:00
The `query` is handled the same as that of the [`question`](#basic_methods-question) method.
2015-04-22 11:51:25 +02:00
The default value of `query` is `'Choose one from list :'`.
2015-04-23 15:59:41 +02:00
The minimum length of `items` Array is 1 and maximum length is 35. These elements are displayed as item list. A key to let the user choose an item is assigned to each item automatically in sequence like "1, 2, 3 ... 9, A, B, C ...". A number as an index of the `items` Array that corresponds to a chosen item by the user is returned.
2015-04-20 07:53:22 +02:00
For example:
```js
2015-04-23 15:59:41 +02:00
frameworks = ['Express', 'hapi', 'flatiron', 'MEAN.JS', 'locomotive'];
index = readlineSync.keyInSelect(frameworks, 'Which framework?');
console.log(frameworks[index] + ' is enabled.');
2015-04-22 11:51:25 +02:00
```
```console
[1] Express
[2] hapi
[3] flatiron
[4] MEAN.JS
[5] locomotive
[0] CANCEL
Which framework? [1...5 / 0] :2
hapi is enabled.
2015-04-20 07:53:22 +02:00
```
2015-05-15 08:45:25 +02:00
#### <a name="utility_methods-keyinselect-options"></a>Options
2015-04-20 07:53:22 +02:00
The following option has independent default value that is not affected by [Default Options](#basic_options).
2015-04-20 07:53:22 +02:00
| Option Name | Default Value |
|-------------------|---------------|
| [`hideEchoBack`](#basic_options-hideechoback) | `false` |
2015-04-20 07:53:22 +02:00
The following options work as shown in the [Basic Options](#basic_options) section.
2015-04-20 07:53:22 +02:00
<table>
2015-05-23 06:56:40 +02:00
<tr><td><a href="#basic_options-mask"><code>mask</code></a></td><td><a href="#basic_options-encoding"><code>encoding</code></a></td><td><a href="#basic_options-print"><code>print</code></a></td></tr>
2015-04-20 07:53:22 +02:00
</table>
And the following additional options are available.
2015-05-15 08:45:25 +02:00
##### <a name="utility_methods-keyinselect-options-guide"></a>`guide`
2015-04-20 07:53:22 +02:00
2015-04-24 05:19:39 +02:00
*Type:* boolean
*Default:* `true`
2015-04-20 07:53:22 +02:00
2015-04-22 11:51:25 +02:00
If `true` is specified, a string like `'[1...5]'` as guide for the user is added to `query`. And `':'` is moved to the end of `query`, or it is added. This is the key list that corresponds to the item list.
2015-04-20 07:53:22 +02:00
2015-05-15 08:45:25 +02:00
##### <a name="utility_methods-keyinselect-options-cancel"></a>`cancel`
2015-04-20 07:53:22 +02:00
2015-04-24 05:19:39 +02:00
*Type:* boolean
*Default:* `true`
2015-04-20 07:53:22 +02:00
2015-04-22 11:51:25 +02:00
If `true` is specified, an item to let the user tell "cancel" is added to the item list. "[0] CANCEL" is displayed, and if `0` key is pressed, `-1` is returned.
2015-04-20 07:53:22 +02:00
2015-05-15 08:45:25 +02:00
## <a name="placeholders"></a>Placeholders
2015-01-26 21:21:47 +01:00
2015-05-15 08:31:45 +02:00
[`hideEchoBack`, `mask`, `defaultInput`, `caseSensitive`, `keepWhitespace`, `encoding`, `bufferSize`, `history`, `cd`, `limit`, `trueValue`, `falseValue`](#placeholders-parameters-hideechoback_mask_defaultinput_casesensitive_keepwhitespace_encoding_buffersize_history_cd_limit_truevalue_falsevalue), [`limitCount`, `limitCountNotZero`](#placeholders-parameters-limitcount_limitcountnotzero), [`lastInput`](#placeholders-parameters-lastinput), [`history_mN`](#placeholders-parameters-historymn), [`cwd`, `CWD`, `cwdHome`](#placeholders-parameters-cwd_cwd_cwdhome), [`date`, `time`, `localeDate`, `localeTime`](#placeholders-parameters-date_time_localedate_localetime), [`C1-C2`](#placeholders-parameters-c1_c2)
2015-04-22 11:51:25 +02:00
The placeholders in the text are replaced to another string.
For example, the [`limitMessage`](#basic_options-limitmessage) option to display a warning message that means that the command the user requested is not available:
2015-04-22 11:51:25 +02:00
```js
command = readlineSync.prompt({
limit: ['add', 'remove'],
limitMessage: '${lastInput} is not available.'
});
```
```console
> delete
delete is not available.
```
The placeholders can be included in:
* `query` argument
* [`prompt`](#basic_options-prompt) and [`limitMessage`](#basic_options-limitmessage) options
* [`limit` option for `keyIn*` method](#basic_options-limit-for_keyin_method) and [`charlist`](#utility_methods-questionnewpassword-options-charlist) option for [`questionNewPassword`](#utility_methods-questionnewpassword) method ([`C1-C2`](#placeholders-parameters-c1_c2) parameter only)
* And some additional options for the [Utility Methods](#utility_methods).
2015-04-22 11:51:25 +02:00
2015-05-15 08:45:25 +02:00
### <a name="placeholders-syntax"></a>Syntax
2015-04-22 11:51:25 +02:00
```
${parameter}
```
Or
```
${(text1)parameter(text2)}
```
The placeholder is replaced to a string that is got by a `parameter`.
Both the `(text1)` and `(text2)` are optional.
2015-04-24 11:41:28 +02:00
A more added `'$'` at the left of the placeholder is used as an escape character, it disables a placeholder. For example, `'$${foo}'` is replaced to `'${foo}'`. If you want to put a `'$'` which is *not* an escape character at the left of a placeholder, specify it like `'${($)bufferSize}'`, then it is replaced to `'$1024'`.
2015-04-22 11:51:25 +02:00
2015-04-24 11:41:28 +02:00
At the each position of `'(text1)'` and `'(text2)'`, `'text1'` and `'text2'` are put when a string that was got by a `parameter` has length more than 0. If that got string is `''`, a placeholder with or without `'(text1)'` and `'(text2)'` is replaced to `''`.
2015-04-22 11:51:25 +02:00
For example, a warning message that means that the command the user requested is not available:
```js
command = readlineSync.prompt({
limit: ['add', 'remove'],
limitMessage: 'Refused ${lastInput} you requested. Please input another.'
});
```
```console
> give-me-car
Refused give-me-car you requested. Please input another.
```
It looks like no problem.
But when the user input nothing (hit only Enter key), and then a message is displayed:
```console
>
Refused you requested. Please input another.
```
This goes well:
```js
command = readlineSync.prompt({
limit: ['add', 'remove'],
limitMessage: 'Refused ${lastInput( you requested)}. Please input another.'
});
```
```console
>
Refused . Please input another.
```
2015-04-24 11:41:28 +02:00
(May be more better: `'${(Refused )lastInput( you requested. )}Please input another.'`)
2015-04-22 11:51:25 +02:00
2015-05-15 08:45:25 +02:00
### <a name="placeholders-parameters"></a>Parameters
2015-04-22 11:51:25 +02:00
The following parameters are available. And some additional parameters are available in the [Utility Methods](#utility_methods).
2015-04-22 11:51:25 +02:00
2015-05-15 08:45:25 +02:00
#### <a name="placeholders-parameters-hideechoback_mask_defaultinput_casesensitive_keepwhitespace_encoding_buffersize_history_cd_limit_truevalue_falsevalue"></a>`hideEchoBack`, `mask`, `defaultInput`, `caseSensitive`, `keepWhitespace`, `encoding`, `bufferSize`, `history`, `cd`, `limit`, `trueValue`, `falseValue`
2015-04-22 11:51:25 +02:00
A current value of each option.
2015-04-24 11:41:28 +02:00
It is converted to human readable if possible. The boolean value is replaced to `'on'` or `'off'`, and the Array is replaced to the list of only string and number elements.
And in the `keyIn*` method, the parts of the list as characters sequence are suppressed. For example, when `['a', 'b', 'c', 'd', 'e']` is specified to the [`limit`](#basic_options-limit) option, `'${limit}'` is replaced to `'a...e'`. If `true` is specified to the [`caseSensitive`](#basic_options-casesensitive) option, the characters are converted to lower case.
2015-04-22 11:51:25 +02:00
For example:
```js
2015-04-23 15:59:41 +02:00
input = readlineSync.question(
'Input something or Enter key as "${defaultInput}" :',
{defaultInput: 'hello'}
);
2015-04-22 11:51:25 +02:00
```
```console
2015-04-23 15:59:41 +02:00
Input something or Enter key as "hello" :
2015-04-22 11:51:25 +02:00
```
2015-05-15 08:45:25 +02:00
#### <a name="placeholders-parameters-limitcount_limitcountnotzero"></a>`limitCount`, `limitCountNotZero`
2015-04-22 11:51:25 +02:00
A length of a current value of the [`limit`](#basic_options-limit) option.
When the value of the [`limit`](#basic_options-limit) option is empty, `'${limitCount}'` is replaced to `'0'`, `'${limitCountNotZero}'` is replaced to `''`.
2015-04-22 11:51:25 +02:00
For example:
```js
2015-04-23 15:59:41 +02:00
action = readlineSync.question(
'Choose action${( from )limitCountNotZero( actions)} :',
{limit: availableActions}
);
2015-04-22 11:51:25 +02:00
```
```console
2015-04-23 15:59:41 +02:00
Choose action from 5 actions :
2015-04-22 11:51:25 +02:00
```
2015-05-15 08:45:25 +02:00
#### <a name="placeholders-parameters-lastinput"></a>`lastInput`
2015-04-22 11:51:25 +02:00
A last input from the user.
In any case, this is saved.
For example:
```js
command = readlineSync.prompt({
limit: availableCommands,
limitMessage: '${lastInput} is not available.'
});
```
```console
> wrong-command
wrong-command is not available.
```
2015-05-15 08:45:25 +02:00
#### <a name="placeholders-parameters-historymn"></a>`history_mN`
2015-04-22 11:51:25 +02:00
When the history expansion feature is enabled (see [`history`](#basic_options-history) option), a current command line minus `N`.
2015-04-22 11:51:25 +02:00
*This feature keeps the previous input only.* That is, only `history_m1` is supported.
For example:
```js
while (true) {
2015-04-23 15:59:41 +02:00
input = readlineSync.question('Something${( or "!!" as ")history_m1(")} :');
2015-04-22 11:51:25 +02:00
console.log('-- You said "' + input + '"');
}
```
```console
Something :hello
-- You said "hello"
2015-04-23 15:59:41 +02:00
Something or "!!" as "hello" :!!
2015-04-24 13:44:47 +02:00
hello
2015-04-22 11:51:25 +02:00
-- You said "hello"
```
2015-05-15 08:45:25 +02:00
#### <a name="placeholders-parameters-cwd_cwd_cwdhome"></a>`cwd`, `CWD`, `cwdHome`
2015-04-22 11:51:25 +02:00
A current working directory.
* `cwd`: A full-path
* `CWD`: A directory name
* `cwdHome`: A path that includes `~` as the home directory
For example, like bash/zsh:
```js
command = readlineSync.prompt({prompt: '[${cwdHome}]$ '});
```
```console
[~/foo/bar]$
```
2015-05-15 08:45:25 +02:00
#### <a name="placeholders-parameters-date_time_localedate_localetime"></a>`date`, `time`, `localeDate`, `localeTime`
2015-04-22 11:51:25 +02:00
A string as current date or time.
* `date`: A date portion
* `time`: A time portion
* `localeDate`: A locality sensitive representation of the date portion based on system settings
* `localeTime`: A locality sensitive representation of the time portion based on system settings
For example:
```js
command = readlineSync.prompt({prompt: '[${localeDate}]> '});
```
```console
[04/21/2015]>
```
2015-05-15 08:45:25 +02:00
#### <a name="placeholders-parameters-c1_c2"></a>`C1-C2`
2015-04-22 11:51:25 +02:00
_For [`limit` option for `keyIn*` method](#basic_options-limit-for_keyin_method) and [`charlist`](#utility_methods-questionnewpassword-options-charlist) option for [`questionNewPassword`](#utility_methods-questionnewpassword) method only_
2015-04-22 11:51:25 +02:00
A character list.
2015-04-24 11:41:28 +02:00
`C1` and `C2` are each single character as the start and the end. A sequence in ascending or descending order of characters ranging from `C1` to `C2` is created. For example, `'${a-e}'` is replaced to `'abcde'`. `'${5-1}'` is replaced to `'54321'`.
2015-04-22 11:51:25 +02:00
For example, let the user input a password that is created with alphabet:
```js
password = readlineSync.questionNewPassword('PASSWORD :', {charlist: '${a-z}'});
```
See also [`limit` option for `keyIn*` method](#basic_options-limit-for_keyin_method).
2015-04-22 11:51:25 +02:00
2015-05-15 08:45:25 +02:00
## <a name="with_task_runner"></a>With Task Runner
2014-08-21 19:44:58 +02:00
2015-04-23 15:59:41 +02:00
The easy way to control a flow of the task runner by the input from the user:
2015-04-20 07:53:22 +02:00
2014-12-04 11:28:21 +01:00
* [Grunt](http://gruntjs.com/) plugin: [grunt-confirm](https://github.com/anseki/grunt-confirm)
* [gulp](http://gulpjs.com/) plugin: [gulp-confirm](https://github.com/anseki/gulp-confirm)
2015-04-23 15:59:41 +02:00
If you want to control a flow of the task runner (e.g. [Grunt](http://gruntjs.com/)), call readlineSync in a task callback that is called by the task runner. Then a flow of tasks is paused and it is controlled by the user.
2014-08-21 19:44:58 +02:00
2015-04-23 15:59:41 +02:00
For example, by using [grunt-task-helper](https://github.com/anseki/grunt-task-helper):
2014-08-21 19:44:58 +02:00
2015-04-22 11:51:25 +02:00
```console
2014-08-21 19:44:58 +02:00
$ grunt
Running "fileCopy" task
Files already exist:
file-a.png
file-b.js
2015-04-22 11:51:25 +02:00
Overwrite? [y/n] :y
2014-08-21 19:44:58 +02:00
file-a.png copied.
file-b.js copied.
Done.
```
`Gruntfile.js`
```js
grunt.initConfig({
taskHelper: {
fileCopy: {
options: {
handlerByTask: function() {
2015-04-22 11:51:25 +02:00
// Abort the task if user don't want it.
return readlineSync.keyInYN('Overwrite?');
2014-08-21 19:44:58 +02:00
},
filesArray: []
},
...
}
},
copy: {
fileCopy: {
files: '<%= taskHelper.fileCopy.options.filesArray %>'
}
}
});
```
2015-05-15 08:45:25 +02:00
## <a name="note"></a>Note
2015-05-15 08:45:25 +02:00
### <a name="note-platforms"></a>Platforms
2015-04-22 11:51:25 +02:00
The TTY interfaces are different by the platforms. If the platform doesn't support the interactively reading from TTY, an error is thrown.
2013-12-18 03:51:32 +01:00
```js
try {
answer = readlineSync.question('What is your favorite food? :');
} catch (e) {
console.error(e);
process.exit(1);
}
```
2013-12-17 18:18:39 +01:00
2015-05-15 08:45:25 +02:00
### <a name="note-reading_by_external_program"></a>Reading by External Program
2015-04-22 11:51:25 +02:00
readlineSync tries to read from a console by using the external program if it is needed (e.g. when the input stream is redirected on Windows XP). And if the running Node doesn't support the [Synchronous Process Execution](http://nodejs.org/api/child_process.html#child_process_synchronous_process_creation) (i.e. Node v0.10-), readlineSync uses "piping via files" for the synchronous execution.
2015-04-23 15:59:41 +02:00
As everyone knows, "piping via files" is no good. It blocks the event loop and a process. It might make the your script be slow.
Why did I choose it? :
2015-04-22 11:51:25 +02:00
* The good modules (native addon) for the synchronous execution exist, but node-gyp can't compile those in some platforms or Node versions.
* I think that the security is important more than the speed. Some modules have problem about security. Those don't protect the data. I think that the speed is not needed usually, because readlineSync is used while the user types keys.
2015-05-15 08:45:25 +02:00
## <a name="deprecated_methods_and_options"></a>Deprecated Methods and Options
2015-04-22 11:51:25 +02:00
2015-05-15 08:31:45 +02:00
See [README-Deprecated.md](README-Deprecated.md).