如何仅在一个文件上使用 execvp 或任何其他 exec 到 运行?

How to use execvp or any of the other exec's to run on only one file?

我想执行 execvp,或者任何可以执行此操作的程序,但只 运行 在给定的文件上执行。为了解释我正在尝试做什么,我正在尝试 运行 在满足给定的其他参数的文件上。例如:(./a.out -s 1024 -e "ls -l") -s 如果文件大小 >= 1024,则显示该文件,然后对该文件执行命令“ls -l”。我的代码检查目录中的每个文件,只显示通过的文件。我无法理解如何只显示一个文件而不是目录中的所有文件。

if (flagArgs.e_flag) // e case
{
    char *cmd = "ls";
    char *argv[3];
    argv[0] = "ls";
    argv[1] = "-la";
    argv[2] = NULL;
    printf("DIRFILE: %s\n", dirfile);

    if (strcmp(line, "") != 0){
        if ((pid = fork()) < 0) {     /* fork a child process           */
            printf("*** ERROR: forking child process failed\n");
            exit(1);
        }
        else if (pid == 0) {          /* for the child process:         */
            if (execvp(dirfile, argv) < 0) {     /* execute the command  */
                printf("*** ERROR: exec failed\n");
                exit(1);
            }
        }
        else {                                  /* for the parent:      */
            while (wait(&status) != pid)       /* wait for completion  */
                ;
        }
    }

}

我知道我在这段代码中错误地使用了 execvp,因为我应该传递 (cmd, argv),但我想弄清楚如何才能 运行 在一个单一文件上使用给定的命令。我有什么办法可以做到这一点,或者我使用的 execvp 有误吗?

感谢您的帮助!

将文件名添加到 argv 数组。 execvp() 的第一个参数应该是 运行 的程序,通常与 argv[0].

相同
if (flagArgs.e_flag) // e case
{
    char *cmd = "ls";
    char *argv[4];
    argv[0] = "ls";
    argv[1] = "-la";
    argv[2] = dirfile;
    argv[3] = NULL;
    printf("DIRFILE: %s\n", dirfile);

    if (strcmp(line, "") != 0){
        if ((pid = fork()) < 0) {     /* fork a child process           */
            printf("*** ERROR: forking child process failed\n");
            exit(1);
        }
        else if (pid == 0) {          /* for the child process:         */
            if (execvp(argv[0], argv) < 0) {     /* execute the command  */
                printf("*** ERROR: exec failed\n");
                exit(1);
            }
        }
        else {                                  /* for the parent:      */
            while (wait(&status) != pid)       /* wait for completion  */
                ;
        }
    }
}