8

我为linux制作了一个简单的shell。它使用 getline() 逐行读取,直到将 ctrl+d (eof/-1) 输入到标准输入中。

在像这样逐行输入标准输入时:

ls -al &
ls -a -l

我的外壳工作得很好。

我试图通过我的 shell 运行脚本,但它不起作用。当我执行脚本时,我的 shell 会自动执行(第一行),但 shell 不会解释其他行。

#!/home/arbuz/Patryk/projekt/a.out
ls -al &
ls -a -l

什么可能导致它?我不得不说我是 linuxes 的初学者,老师没有对所有这些东西说任何话。只是一个家庭作业。我做了一些研究,但这就是我发现的全部。

这是我的Shell的代码。我已将 shell 路径添加到 etc/shells 但它仍然无法正常工作

#include <fcntl.h>
#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#include <stdbool.h>

int main()
{

    ssize_t bufer_size = 0;
    char* line = NULL;
    int line_size;

    while ((line_size = getline(&line, &bufer_size, stdin)) != -1) // while end of file
    {
        char** words_array;
        words_array = (char**)malloc(200 * sizeof(char*));

        int words_count = 0;
        int i;
        int j = 0;
        int words_length = 0;
        char word[100];
        for (i = 0; i < line_size; i++)
        {
            if (line[i] == ' ' || line[i] == '\n')
            {
                words_array[words_count] = (char*)malloc(words_length * sizeof(char));
                int b;
                for (b = 0; b < words_length; b++)
                {
                    words_array[words_count][b] = word[b];
                }
                j = 0;
                words_count++;
                words_length = 0;
            }
            else
            {
                word[j] = line[i];
                j++;
                words_length++;
            }
        }

        bool run_in_background = false;

        if (words_array[words_count - 1][0] == '&')
        {
            run_in_background = true;
            words_array[words_count - 1] = NULL;
        }

        int a = fork();

        if (a == 0) // child process
        {
            execvp(words_array[0], words_array);
        }
        else       // parent process
        {
            if (run_in_background == true)
            {
                printf("\n ---- running in background. \n");
            }
            else
            {
                printf("\n ---- running normal \n");
                wait(NULL);
            }
        }
    }

    return 0;
}
4

2 回答 2

12

您的 shell 必须接受命令行参数。在这种情况下,您的程序将被这样调用:

/home/arbuz/Patryk/projekt/a.out your_script

所以你需要一个main()这样的签名:

int main(int argc, char* argv[])

然后解析参数。argc包含参数的数量。脚本的文件名传入argv[1]. 您需要打开它(使用fopen())并从中读取命令,而不是stdin. 如果文件的第一行以#.

如果在没有绝对路径(不以 a 开头的路径)的情况下调用脚本/,则文件名是相对于当前目录的。您可以从环境或以编程方式使用getcwd().

于 2012-11-10T13:09:08.673 回答
6

问题是您的 shell 从标准输入读取,而 she-bang#!导致脚本作为命令行参数传递。所以你的外壳被称为

/home/arbuz/Patryk/projekt/a.out <script>

... 忽略命令行参数并等待标准输入上的命令。您必须从argv[1].

于 2012-11-10T13:08:35.807 回答