以下是使用C实现cd系统调用的代码。此代码的问题在于它没有输入if
条件if(strcmp(buffer,"cd") == 0)
我无法理解为什么。
#include<sys/stat.h>
#include <stdio.h>
#include <unistd.h>
#include <string.h>
#include<dirent.h>
#include<error.h>
#define BUFFERSIZE 20
int main(){
char *args[80];
char buffer[BUFFERSIZE];
char *prompt = "OS";
char *a = ">";
printf("%s%s",prompt,a);
fgets(buffer, BUFFERSIZE, stdin);
char *tok;
tok = strtok (buffer," ");
while(buffer != NULL){
buffer[strlen(buffer)-1] = '\0';
pid_t pid;
pid = fork();
if(pid < 0){
fprintf(stderr, "Fork failed");
return 1;
}
else if(pid == 0){
if(strcmp(buffer,"cd") == 0){
tok = strtok(NULL,"\n");
cd(tok);
}
printf("%s%s",prompt,a);
fgets(buffer, BUFFERSIZE, stdin);
}
else{
wait(NULL);
}
}
return 0;
}
int cd(char *pth){
char path[1000];
strcpy(path,pth);
static char *prompt = "OS";
static char *a = ">";
char *token;
char cwd[256];
getcwd(cwd,sizeof(cwd));
strcat(cwd,"/");
strcat(cwd,path);
chdir(cwd);
printf("%s-%s%s",prompt,path,a);
return 0;
}
答案 0 :(得分:6)
在其他人的建议之后更新了逻辑。
此处不需要子进程。如果您想要多任务处理,那么请使用线程。 Child process may be required for process running in background.
以下计划对我有用:
#include <stdio.h>
#include <sys/stat.h>
#include <stdio.h>
#include <unistd.h>
#include <string.h>
#include <dirent.h>
//#include <error.h>
int hasPrefix(char const *, char const *);
int cd(char *pth);
#define BUFFERSIZE 200
int main(){
char buffer[BUFFERSIZE];
char *prompt = "OS";
char *a = ">";
char *tok;
tok = strtok (buffer," ");
while(buffer != NULL){
bzero(buffer, BUFFERSIZE);
printf("%s%s",prompt,a);
fgets(buffer, BUFFERSIZE, stdin);
if(hasPrefix(buffer,"cd") == 0){
tok = strchr(buffer,' '); //use something more powerful
if(tok) {
char *tempTok = tok + 1;
tok = tempTok;
char *locationOfNewLine = strchr(tok, '\n');
if(locationOfNewLine) {
*locationOfNewLine = '\0';
}
cd(tok);
}
}else{
system("ls"); //for testing the CWD/PWD
}
}
return 0;
}
int hasPrefix(char const *p, char const *q)
{
int i = 0;
for(i = 0;q[i];i++)
{
if(p[i] != q[i])
return -1;
}
return 0;
}
int cd(char *pth){
char path[BUFFERSIZE];
strcpy(path,pth);
char cwd[BUFFERSIZE];
if(pth[0] != '/')
{// true for the dir in cwd
getcwd(cwd,sizeof(cwd));
strcat(cwd,"/");
strcat(cwd,path);
chdir(cwd);
}else{//true for dir w.r.t. /
chdir(pth);
}
return 0;
}
答案 1 :(得分:3)
使用
...
if(strncmp(buffer,"cd",2) == 0){
...
代替。它适用于比较任意长度的前缀。它还限制了字符串大小。无需建立自己的比较例程。
代码中的其他地方还有其他问题,但可以单独解决。
答案 2 :(得分:1)
我认为问题在于这一行:
buffer[strlen(buffer)-1] = '\0';
这将使用空字符替换buffer
的最后一个字符。因此,如果buffer
包含"cd"
,它现在只包含"c"
(因为空字符是C中的字符串终止符)。
似乎没有任何需要这个声明,只需删除它。