Node.jsで、Unix端末コマンドの出力を取得する方法を見つけたいです。これを行う方法はありますか?
function getCommandOutput(commandString){
// now how can I implement this function?
// getCommandOutput("ls") should print the terminal output of the Shell command "ls"
}
これが、現在作業中のプロジェクトで行う方法です。
var exec = require('child_process').exec;
function execute(command, callback){
exec(command, function(error, stdout, stderr){ callback(stdout); });
};
例:gitユーザーの取得
module.exports.getGitUser = function(callback){
execute("git config --global user.name", function(name){
execute("git config --global user.email", function(email){
callback({ name: name.replace("\n", ""), email: email.replace("\n", "") });
});
});
};
探しているのは child_process
var exec = require('child_process').exec;
var child;
child = exec(command,
function (error, stdout, stderr) {
console.log('stdout: ' + stdout);
console.log('stderr: ' + stderr);
if (error !== null) {
console.log('exec error: ' + error);
}
});
Renatoが指摘したように、現在いくつかの同期execパッケージもあります。 sync-exec を参照してください。ただし、node.jsはシングルスレッドの高性能ネットワークサーバーとして設計されているため、それを使用したい場合は、起動時にのみ使用する場合を除き、sync-execを使用しないでください。か何か。
7.6以降のノードを使用していて、コールバックスタイルが気に入らない場合は、node-utilのpromisify
関数をasync / await
とともに使用して、きれいに読み取るシェルコマンドを取得することもできます。この手法を使用した、受け入れられた回答の例を次に示します。
const { promisify } = require('util');
const exec = promisify(require('child_process').exec)
module.exports.getGitUser = async function getGitUser () {
const name = await exec('git config --global user.name')
const email = await exec('git config --global user.email')
return { name, email }
};
これには、失敗したコマンドで拒否されたプロミスを返すという追加の利点もあります。これは、非同期コード内でtry / catch
で処理できます。
Renatoの回答のおかげで、非常に基本的な例を作成しました。
const exec = require('child_process').exec
exec('git config --global user.name', (err, stdout, stderr) => console.log(stdout))
グローバルgitユーザー名を出力するだけです:)
これには、PromisesおよびAsync/AwaitをサポートするNode.js 7以降が必要です。
約束を活用してchild_process.exec
コマンドの動作を制御するラッパー関数を作成します。
Promiseと非同期関数を使用すると、コールバックに陥ることなく、かなりきれいなAPIを使用して、出力を返すシェルの動作を模倣できます。 await
キーワードを使用すると、child_process.exec
の処理を実行しながら、簡単に読み取るスクリプトを作成できます。
const childProcess = require("child_process");
/**
* @param {string} command A Shell command to execute
* @return {Promise<string>} A promise that resolve to the output of the Shell command, or an error
* @example const output = await execute("ls -alh");
*/
function execute(command) {
/**
* @param {Function} resolve A function that resolves the promise
* @param {Function} reject A function that fails the promise
* @see https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Promise
*/
return new Promise(function(resolve, reject) {
/**
* @param {Error} error An error triggered during the execution of the childProcess.exec command
* @param {string|Buffer} standardOutput The result of the Shell command execution
* @param {string|Buffer} standardError The error resulting of the Shell command execution
* @see https://nodejs.org/api/child_process.html#child_process_child_process_exec_command_options_callback
*/
childProcess.exec(command, function(error, standardOutput, standardError) {
if (error) {
reject();
return;
}
if (standardError) {
reject(standardError);
return;
}
resolve(standardOutput);
});
});
}
async function main() {
try {
const passwdContent = await execute("cat /etc/passwd");
console.log(passwdContent);
} catch (error) {
console.error(error.toString());
}
try {
const shadowContent = await execute("cat /etc/shadow");
console.log(shadowContent);
} catch (error) {
console.error(error.toString());
}
}
main();
root:x:0:0::/root:/bin/bash
[output trimmed, bottom line it succeeded]
Error: Command failed: cat /etc/shadow
cat: /etc/shadow: Permission denied
Repl.it 。
約束 。