将外部程序作为线程而不是进程运行

时间:2015-10-05 02:26:43

标签: c multithreading

我希望能够将外部程序作为pthread而不是作为C中的单独进程运行。例如,我将如何更改以下程序以使用线程?

#include <stdio.h>
#include <stdlib.h>
#include <sys/types.h>
#include <sys/wait.h>
#include <unistd.h>

// ...other code

int main () {
    char* command[] = {"/bin/ls", NULL};
    pid_t pid = fork();

    if (pid == 0) {
        execv(command[0], command);
    } else {
        wait(NULL);
    }
    return 0;
}

2 个答案:

答案 0 :(得分:2)

这个问题没有多大意义,因为进程和线程之间的主要区别在于线程共享一个内存空间,而外部程序无法做到这一点。您可能希望加载动态库或让两个进程映射共享内存对象(如果您希望它们共享内存)。

从子线程运行外部程序而不替换进程的方法是使用popen()

答案 1 :(得分:1)

对于您希望运行shell命令的特定情况,可以在线程中使用system()函数调用,从而无需创建子进程。

#include <stdio.h>
#include <stdlib.h>
#include <sys/types.h>
#include <sys/wait.h>
#include <unistd.h>
#include <pthread.h>
#include <errno.h>

#define MAX_COUNT 10 // Change MAX_COUNT as per maximum number of commands possible

void ThreadFunc(char *command)
{
    int ret = 0;

    if (NULL == command)
    {
        printf("ERROR::Input pointer argument is NULL\n");
        return;
    }
    if ('\0' == command[0])
    {
        printf("ERROR::Input command string is EMPTY\n");
        return;
    }

    ret = system(command);
    if (0 != ret)
    {
        printf("ERROR::system(%s) failed. errno=%d\n", command, errno);
    }
    else
    {
        printf("SUCCESS::system(%s) succeeded\n", command);
    }
}

int main () 
{
    char* command[] = {"/bin/ls", NULL};
    int i = 0;
    int count = 0;
    int ret = 0;
    pthread_t threadId[MAX_COUNT]; // Change MAX_COUNT as per maximum number of commands possible

    while (NULL != command[i])
    {
        ret = pthread_create(&threadId[i], NULL, (void *(*)(void *))ThreadFunc, (void *)command[i]);
        if (0 != ret)
        {
            printf("ERROR::pthread_create() failed for command %s. errno = %d\n", command[i], errno);
        }
        else
        {
            printf("SUCCESS::pthread_create() succeeded for command %s\n", command[i]);
            count++; // update i
        }
        i++;
    }

    // pthread_join to wait till all thread are finished
    for (i = 0; i < count; i++)
    {
        pthread_join(threadId[i], NULL);
    }

    return 0;
}