我只是将代码移植到Mac OS X上,该代码在Windows上使用_tspawnl
。
在Mac OS X或Linux上是否有等同于_tspawnl
的内容?
或者是否有任何等同于_tspawnl
答案 0 :(得分:1)
您可以通过以下方式一起使用fork
和execv
系统调用:
if (!fork()){ // create the new process
execl(path, *arg, ...); // execute the new program
}
fork
系统调用会创建一个新进程,而execv
系统调用会在路径中开始执行指定的应用程序。
例如,您可以使用以下函数spawn
,其参数是要执行的应用程序的名称及其参数列表。
#include <stdio.h>
#include <stdlib.h>
#include <sys/types.h>
#include <unistd.h>
int spawn (char* program, char** arg_list)
{
pid_t child_pid;
/* Duplicate this process. */
child_pid = fork ();
if (child_pid != 0)
/* This is the parent process. */
return child_pid;
else {
/* Now execute PROGRAM, searching for it in the path. */
execvp (program, arg_list);
/* The execvp function returns only if an error occurs. */
fprintf (stderr, “an error occurred in execvp\n”);
abort ();
}
}
int main ()
{
/* The argument list to pass to the “ls” command. */
char* arg_list[] = {
“ls”, /* argv[0], the name of the program. */
“-l”,
“/”,
NULL /* The argument list must end with a NULL. */
};
spawn (“ls”, arg_list);
printf (“done with main program\n”);
return 0;
}
此示例取自本book的第3.2.2章。 (对Linux开发真的很好的参考)。
答案 1 :(得分:1)