目前我的程序应该获取用户在命令行输入的数字列表,然后找到这些数字的总和并将其打印出来。我的代码如下,我知道要存储用户输入的单个数字,但是如果我想要一个数字列表,用空格分隔怎么办?
#include <pthread.h>
#include <stdio.h>
int sum; /* this data is shared by the thread(s) */
void *runner(char **); /* threads call this function */
int main(int argc, char *argv[])
{
pthread_t tid; /* the thread identifier */
pthread_t tid2;
pthread_attr_t attr; /* set of thread attributes */
if (argc != 2) {
fprintf(stderr,"usage: a.out <integer values>\n");
return -1;
}
pthread_attr_init(&attr);
pthread_create(&tid,&attr,(void(*)(void *))(runner),(void *)(argv+1));
pthread_join(tid,NULL);
printf("sum = %d\n",sum);
}
/* The thread will begin control in this function */
void *runner(char **param)
{
int i;
sum = 0;
for (i = 1; i <= 5; i++)
sum = sum + atoi(param[i]);
pthread_exit(0);
}
我希望能够在命令行中输入一个数字列表,并将这些数字存储到一个列表中,然后找到所有这些数字的总和。
,有人能告诉我这样做的正确方法是什么吗?