使用keypress在node.js中启动操作

时间:2016-09-08 02:12:06

标签: javascript node.js promise stdin keystroke

我正在使用node.js v4.5

我编写了下面的函数来发送延迟的重复消息。

function send_messages() {
    Promise.resolve()
        .then(() => send_msg() )
        .then(() => Delay(1000) )
        .then(() => send_msg() )
        .then(() => Delay(1000))
        .then(() => send_msg() )        
    ;
}

function Delay(duration) {
    return new Promise((resolve) => {
        setTimeout(() => resolve(), duration);
    });
}

我想使用按键激活发送消息,而不是延迟。类似下面的功能。

function send_messages_keystroke() {
    Promise.resolve()
        .then(() => send_msg() )
        .then(() => keyPress('ctrl-b') ) //Run subsequent line of code send_msg() if keystroke ctrl-b is pressed
        .then(() => send_msg() )
        .then(() => keyPress('ctrl-b') )
        .then(() => send_msg() )        
    ;
}

2 个答案:

答案 0 :(得分:6)

您可以将process.stdin置于原始模式以访问单个击键。

这是一个独立的例子:

function send_msg(msg) {
  console.log('Message:', msg);
}

// To map the `value` parameter to the required keystroke, see:
// http://academic.evergreen.edu/projects/biophysics/technotes/program/ascii_ctrl.htm
function keyPress(value) {
  return new Promise((resolve, reject) => {
    process.stdin.setRawMode(true);
    process.stdin.once('data', keystroke => {
      process.stdin.setRawMode(false);
      if (keystroke[0] === value) return resolve();
      return reject(Error('invalid keystroke'));
    });
  })
}

Promise.resolve()
  .then(() => send_msg('1'))
  .then(() => keyPress(2))
  .then(() => send_msg('2'))
  .then(() => keyPress(2))
  .then(() => send_msg('done'))
  .catch(e => console.error('Error', e))

它将拒绝任何不是 Ctrl-B 的击键,但如果您不想要这种行为(并且只想等待第一个 Ctrl),代码很容易修改例如-B

传递给keyPress的值是键的十进制ASCII值: Ctrl-A 为1, Ctrl-B 为2, a 是97等等。

编辑:正如@ mh-cbon在评论中所建议的那样,更好的解决方案可能是使用keypress模块。

答案 1 :(得分:1)

试试这个。如上所述,使用按键使其非常简单。代码中的key对象会告诉您是否按下了ctrlshift,以及按下的字符。不幸的是,keypress似乎无法处理数字或特殊字符。

var keypress = require('keypress');

keypress(process.stdin);

process.stdin.on('keypress', function (ch, key) {
  console.log("here's the key object", key);

  shouldExit(key);
  if (key) {
    sendMessage(key);
  }
});

function shouldExit(key) {
  if (key && key.ctrl && key.name == 'c') {
    process.stdin.pause();
  }
}

function sendMessage(key) {
  switch(key.name) {
    case 'a';
        console.log('you typed a'); break;
    case 'b';
        console.log('you typed b'); break;
    default:
        console.log('bob is cool');
  }
}

当然,在这里的sendMessage()函数中,你可以轻松地用更复杂的东西替换日志语句,进行一些异步调用,调用其他函数,等等。这里process.stdin.pause()导致程序退出ctrl-c,否则,程序将继续运行,阻止中断信号,并且您必须通过命令行手动终止该进程。 / p>