실행중인 nodejs 스크립트에서 들어오는 키 입력을 수신 할 수 있습니까? 이벤트를 사용 process.openStdin()하고 수신 'data'하면 다음과 같이 다음 줄 바꿈까지 입력이 버퍼링됩니다.
// stdin_test.js
var stdin = process.openStdin();
stdin.on('data', function(chunk) { console.log("Got chunk: " + chunk); });이것을 실행하면 다음을 얻습니다.
$ node stdin_test.js
                <-- type '1'
                <-- type '2'
                <-- hit enter
Got chunk: 12내가보고 싶은 것은 :
$ node stdin_test.js
                <-- type '1' (without hitting enter yet)
 Got chunk: 1예를 들어 루비에서 와 동등한 nodejs를 찾고 있습니다.getc
이게 가능해?
답변
원시 모드로 전환하면 다음과 같이 할 수 있습니다.
var stdin = process.openStdin();
require('tty').setRawMode(true);
stdin.on('keypress', function (chunk, key) {
  process.stdout.write('Get Chunk: ' + chunk + '\n');
  if (key && key.ctrl && key.name == 'c') process.exit();
});답변
이 기능이에서 제거 되었기 때문에이 답변을 찾는 사람들 tty을 위해 stdin에서 원시 문자 스트림을 얻는 방법은 다음과 같습니다.
var stdin = process.stdin;
// without this, we would only get streams once enter is pressed
stdin.setRawMode( true );
// resume stdin in the parent process (node app won't quit all by itself
// unless an error or process.exit() happens)
stdin.resume();
// i don't want binary, do you?
stdin.setEncoding( 'utf8' );
// on any data into stdin
stdin.on( 'data', function( key ){
  // ctrl-c ( end of text )
  if ( key === '\u0003' ) {
    process.exit();
  }
  // write the key to stdout all normal like
  process.stdout.write( key );
});매우 간단합니다-기본적으로 process.stdin의 문서와 같지만 문서setRawMode( true ) 에서 식별하기 어려운 원시 스트림을 가져 오는 데 사용 합니다.
답변
노드> = v6.1.0에서 :
const readline = require('readline');
readline.emitKeypressEvents(process.stdin);
process.stdin.setRawMode(true);
process.stdin.on('keypress', (str, key) => {
  console.log(str)
  console.log(key)
})참조 https://github.com/nodejs/node/issues/6626를
답변
이 버전은 keypress 모듈을 사용하며 node.js 버전 0.10, 0.8 및 0.6과 iojs 2.3을 지원합니다. 를 실행해야합니다 npm install --save keypress.
var keypress = require('keypress')
  , tty = require('tty');
// make `process.stdin` begin emitting "keypress" events
keypress(process.stdin);
// listen for the "keypress" event
process.stdin.on('keypress', function (ch, key) {
  console.log('got "keypress"', key);
  if (key && key.ctrl && key.name == 'c') {
    process.stdin.pause();
  }
});
if (typeof process.stdin.setRawMode == 'function') {
  process.stdin.setRawMode(true);
} else {
  tty.setRawMode(true);
}
process.stdin.resume();답변
테스트 된 nodejs 0.6.4 ( 0.8.14 버전에서 테스트 실패 ) :
rint = require('readline').createInterface( process.stdin, {} );
rint.input.on('keypress',function( char, key) {
    //console.log(key);
    if( key == undefined ) {
        process.stdout.write('{'+char+'}')
    } else {
        if( key.name == 'escape' ) {
            process.exit();
        }
        process.stdout.write('['+key.name+']');
    }
});
require('tty').setRawMode(true);
setTimeout(process.exit, 10000);당신이 그것을 실행하고 :
  <--type '1'
{1}
  <--type 'a'
{1}[a]중요한 코드 # 1 :
require('tty').setRawMode( true );중요한 코드 # 2 :
.createInterface( process.stdin, {} );답변
if(Boolean(process.stdout.isTTY)){
  process.stdin.on("readable",function(){
    var chunk = process.stdin.read();
    if(chunk != null)
      doSomethingWithInput(chunk);
  });
  process.stdin.setRawMode(true);
} else {
  console.log("You are not using a tty device...);
}답변
