void *stackAddr[NUM_THREADS];
stackAddr[i] = malloc(STACKSIZE);
编译器(g ++ 4.4.3)抱怨调用malloc的位置......
warning: pointer of type ‘void *’ used in arithmetic
error: ‘void*’ is not a pointer-to-object type
如果您有兴趣查看整个代码,请点击此处......
#include <pthread.h>
#include <stdio.h>
#include <stdlib.h>
#include <math.h>
#define NUM_THREADS 4
void *stackAddr[NUM_THREADS];
pthread_t thread[NUM_THREADS];
pthread_attr_t attr;
void *BusyWork(void *t)
{
int i;
long tid;
double result=0.0;
tid = (long)t;
printf("Thread %ld starting...\n",tid);
for ( i = 0; i < 1000; i++)
{
result = result + sin(i*tid) * tan(i*tid);
}
printf("Thread %ld done. Result = %e\n", tid, result);
pthread_exit((void*) t);
}
void pthread_create_with_stack( pthread_t * pthread, void *(*start_routine) (void *), int tid )
{
const size_t STACKSIZE = 0xC00000; //12582912
void *stackAddr;
int rc;
size_t i;
pthread_t thread;
pid_t pid;
stackAddr[tid] = malloc(STACKSIZE); // Error here!
pthread_attr_setstack(&attr, stackAddr[tid], STACKSIZE);
rc = pthread_create( pthread, &attr, start_routine, (void*)tid );
}
int main (int argc, char *argv[])
{
int rc;
long t;
void *status;
/* Initialize and set thread detached attribute */
pthread_attr_init(&attr);
pthread_attr_setdetachstate(&attr, PTHREAD_CREATE_JOINABLE);
for(t=0; t<NUM_THREADS; t++)
{
printf("Main: creating thread %ld\n", t);
rc = pthread_create_with_stack(&thread[t], BusyWork, t);
if (rc)
{
printf("ERROR; return code from pthread_create() is %d\n", rc);
exit(-1);
}
}
/* Free attribute and wait for the other threads */
pthread_attr_destroy(&attr);
for(t=0; t<NUM_THREADS; t++)
{
rc = pthread_join(thread[t], &status);
if (rc)
{
printf("ERROR; return code from pthread_join() is %d\n", rc);
exit(-1);
}
printf("Main: completed join with thread %ld having a status"
"of %ld\n",t,(long)status);
}
printf("Main: program completed. Exiting.\n");
pthread_exit(NULL);
}
答案 0 :(得分:12)
您正在声明一个局部变量void *stackAddr
,它会影响全局stackAddr
数组。
此外,它不是一个数组,并且应用[]
下标运算符会尝试偏移和取消引用void
指针,因此编译错误。
标准不允许对void指针进行解引用和指针运算,因为sizeof(void)
未定义。
答案 1 :(得分:4)
你搞砸了你的声明:
void *stackAddr;
应该是:
void *stackAddr[];
(您可能还需要为数组设置大小。)
然后你尝试这样做:
stackAddr[tid] = malloc(STACKSIZE);
因此,您正在访问void*
的数组元素。
答案 2 :(得分:2)
现在你发布了真实的代码,我猜错误在pthread_create_with_stack
,你有一个隐藏全局数组的局部变量void * stackAddr
。
看起来你应该只删除局部变量。
答案 3 :(得分:2)
您首先发布的内容是不问题。
void *stackAddr[NUM_THREADS];
但是在代码中你还有别的东西:
void *stackAddr;
所以编译器尝试使用该局部变量,当然无法编译..
答案 4 :(得分:2)
在pthread_create_with_stack
中,您有以下代码:
void *stackAddr;
...
stackAddr[tid] = malloc(STACKSIZE)
表达式stackAddr[tid]
尝试对void*
进行算术运算。
答案 5 :(得分:0)
在您发布的版本中,stackAddr
不是数组,但您正在分配给stackAddr[tid]
。编译器将此替换为*(stackAddr + tid)
,括号表达式为stackAddr + tid * sizeof(void)
,因此编译器会向您发出关于sizeof(void)
的警告。
答案 6 :(得分:0)
在C ++中,void指针没有属性,包括大小。因此,您无法从数组的开头计算i-number空洞的偏移地址。它是数组中特定索引的规范导致数学问题。