考慮以下幾點:
#define _GNU_SOURCE
#define _POSIX_C_SOURCE 200809L
#include <unistd.h>
#include <stdlib.h>
#include <sys/types.h>
#include <sys/wait.h>
#include <stdio.h>
#include <string.h>
#include <errno.h>
int main(int argc, char *argv[])
{
char *input_arg[2];
char *input_str = NULL;
size_t input_len = 0;
char **args;
ssize_t len;
size_t n;
pid_t child, p;
int status;
if (argc < 2) {
/* No command line parameters. Read command from stdin. */
len = getline(&input_str, &input_len, stdin);
/* Find length excluding the newline at end. */
if (len > (ssize_t)0)
n = strcspn(input_str, "\r\n");
else
n = 0;
if (n > (size_t)0) {
/* Terminate input command before the newline. */
input_str[n] = '\0';
} else {
fprintf(stderr, "No input, no command.\n");
return 1;
}
input_arg[0] = input_str;
input_arg[1] = NULL;
args = input_arg;
} else {
/* Use command line parameters */
argv[argc] = NULL;
args = argv + 1;
}
child = fork();
if (child == (pid_t)-1) {
fprintf(stderr, "Cannot fork: %s.\n", strerror(errno));
return 1;
}
if (!child) {
/* This is the child process. */
errno = ENOENT;
execvp(args[0], args);
fprintf(stderr, "%s: %s.\n", args[0], strerror(errno));
exit(127);
}
do {
p = waitpid(child, &status, 0);
} while (p == (pid_t)-1 && errno == EINTR);
if (p == (pid_t)-1) {
fprintf(stderr, "Lost child process: %s.\n", strerror(errno));
return 127;
}
if (p != child) {
fprintf(stderr, "waitpid() library bug occurred.\n");
return 127;
}
if (WIFEXITED(status)) {
if (!WEXITSTATUS(status))
fprintf(stderr, "Command successful.\n");
else
fprintf(stderr, "Command failed with exit status %d.\n", WEXITSTATUS(status));
return WEXITSTATUS(status);
}
if (WIFSIGNALED(status)) {
fprintf(stderr, "Command died by signal %s.\n", strsignal(WTERMSIG(status)));
return 126;
}
fprintf(stderr, "Command died from unknown causes.\n");
return 125;
}
上述用途如果指定的命令行參數,否則它讀取一個從標準輸入。由於標準輸入不是標記化的,因此只能提供命令名稱,不能提供參數。如果放大input_arg[]
數組
char *input_arg[4];
,並修改分配到
input_arg[0] = "/bin/sh";
input_arg[1] = "-c";
input_arg[2] = input_str;
input_arg[3] = NULL;
args = input_arg;
然後輸入字符串將使用/bin/sh
外殼進行處理,就像popen()
一樣。
您也可以使用len = getdelim(&input_str, &input_len, '\0', stdin);
並刪除input_str[n] = '\0';
賦值以允許多行輸入;只要shell足夠短以適應命令行參數緩衝區(最大長度取決於您的操作系統),那麼shell應該處理的很好。
shell將輸入分割爲單獨的命令和參數的規則相當複雜,你不應該試圖模擬它們。相反,找到一個簡單的方法讓用戶分別指定參數(如命令行參數大小寫),或使用shell爲您執行。如果你沒有做任何拆分,你可能需要刪除輸入行末尾的換行符。
的一點要注意的是,對於execvp(file, args)
,args[0]
是應用程序看到的名稱(如$0
或argv[0]
)和args[1]
是第一參數。每個參數都由NUL(\0
)終止,就像字符串通常在C中一樣,args
指針數組必須以NULL
指針結束。如果沒有參數,則args[1] == NULL
。
它爲什麼不起作用。它做什麼,你沒有預料到? – slugonamission
'read'是一個未初始化的指針。你在期待什麼? –
我想你想從文本文件中逐行讀取命令行並執行它? –