我有一个作业,其中我们必须创建一个外壳。其中一部分包括使用生成指向不同unix命令的路径。 (例如:/ bash / ls)。使用execv,如果我对路径进行硬编码,则可以使一切正常工作,但是如果生成它,则不能。
#include <stdio.h>
#include <string.h>
#include <stdlib.h>
#include <sys/syscall.h>
#include <unistd.h>
void command(char *args[]);
int main (int argc, char **argv) {
//get the command and arguments
char buffer[32];
char *b = buffer;
size_t bufferSize = 32;
int counter = 0;
char *tokens[10];
char *delims = " \t\n";
printf("dash> ");
getline(&b, &bufferSize, stdin);
tokens[0] = strtok(buffer, delims);
while (tokens[counter] != NULL) {
counter++;
tokens[counter] = strtok(NULL, delims);
}
command(tokens);
}
void command(char *args[]) {
//create path
char *path = NULL;
int length = strlen(args[0]);
path = malloc(5 + length + 1);
strcat(path, "/bin/");
strcat(path, args[0]);
char *input[2];
input[0] = malloc(512);
strcpy(input[0], path);
printf(input[0]); //the path prints out properly
//input[0] = "/bin/ls"; <--- this works!
input[1] = NULL;
//start execv
pid_t pid;
pid = fork();
if(pid < 0) {
printf("ERROR: fork failed.");
exit(0);
}
else if (pid == 0) {
execv(input[0], input);
printf("error.");
}
free(path);
free(input[0]);
}
有人有什么想法吗?我很确定这是malloc的问题,但我不确定如何规避。
答案 0 :(得分:3)
getline()
的问题,因为您正在阅读stdin
表格,这
getline(&b, &bufferSize, stdin);
在\n
的末尾存储新行buffer
字符,当您将tokens
传递给command()
函数时,args
将是ls\n
而不是ls
,这就是execv
失败
execv:没有这样的文件或目录
例如,删除多余的\n
字符以正确解析tokens
,例如
ssize_t read;
read = getline(&b, &bufferSize, stdin); /* always check the return value */
if(read != -1 ) {
b[read-1] = '\0'; /* replace \n with \0 */
}