我想创建一个程序来存储2D数组中的数据。应该在共享内存中创建这个2D数组。
#include <stdio.h>
#include <sys/types.h>
#include <sys/ipc.h>
#include <sys/shm.h>
key_t key;
int shmBuf1id;
int *buf1Ptr;
main(int argc, int *argv[])
{
createBuf1();
}
createBuf1()
{
key = ftok(".",'b');
shmBuf1id = shmget(key,sizeof(int[9][9]),IPC_CREAT|0666);
if(shmBuf1id == -1 )
{
perror("shmget");
exit(1);
}
else
{
printf("Creating new Sahred memory sement\n");
buf1Ptr[3] = shmat(shmBuf1id,0,0);
if(buf1Ptr == -1 )
{
perror("shmat");
exit(1);
}
}
}
但是当我运行这个程序时,会出现分段错误(Core dumped)错误。我是否正确地在共享内存中创建了2D数组?
答案 0 :(得分:2)
首先,int *buf1Ptr
是指向int的指针。在您的情况下,您需要一个指向二维整数数组的指针,因此您应将其声明为:
int (*buf1Ptr)[9];
然后你需要初始化指针本身:
buf1Ptr = shmat(shmBuf1id,0,0);
现在您可以通过buf1Ptr(即buf1Ptr[0][0] = 1
)访问您的阵列。这是您的计划的完整工作版本:
#include <stdlib.h>
#include <stdio.h>
#include <sys/ipc.h>
#include <sys/shm.h>
key_t key;
int shmBuf1id;
int (*buf1Ptr)[9];
void
createBuf1()
{
key = ftok(".",'b');
shmBuf1id = shmget(key,sizeof(int[9][9]),IPC_CREAT|0666);
if(shmBuf1id == -1 )
{
perror("shmget");
exit(1);
}
else
{
printf("Creating new Sahred memory sement\n");
buf1Ptr = shmat(shmBuf1id,0,0);
if(buf1Ptr == (void*) -1 )
{
perror("shmat");
exit(1);
}
}
}
int
main(int argc, int *argv[])
{
createBuf1();
return 0;
}
答案 1 :(得分:-1)
你忘了分配内存:
#include <stdio.h>
#include <sys/types.h>
#include <sys/ipc.h>
#include <sys/shm.h>
key_t key;
int shmBuf1id;
int *buf1Ptr;
int main(int argc, char *argv[])
{
createBuf1();
}
createBuf1()
{
key = ftok(".",'b');
shmBuf1id = shmget(key,sizeof(int[9][9]),IPC_CREAT|0666);
if(shmBuf1id == -1 )
{
perror("shmget");
exit(1);
}
else
{
printf("Creating new Sahred memory sement\n");
int buf1Ptr[4];
buf1Ptr[3] = shmat(shmBuf1id,0,0);
if(buf1Ptr == -1 )
{
perror("shmat");
exit(1);
}
}
}