我在一周前开始了解并使用信号量和共享内存,并实际创建了这个程序;问题是我发现它没有任何问题。我一直在看它几个小时,一切似乎都正确。代码编译,我可以创建构建,但是当我执行它时没有任何反应。
#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#include <sys/ipc.h>
#include <sys/shm.h>
#include <stdio.h>
#include <sys/fcntl.h>
#include <semaphore.h>
#define MAXCHILDS 4
#define MAX_SIZE 10
#define MAX_WRITES 4
typedef struct{
int m[MAX_SIZE][MAX_SIZE];
} matrix;
/*fork variables*/
pid_t child[MAXCHILDS];
/*semphores variables */
sem_t *empty, *full, * mutex;
/*share memory id*/
int shmid;
/*shared memory array pointer */
matrix * sh_mem;
/*pointer to matrix*/
int **p;
void init(){
/*create pointer to matrix*/
p = &sh_mem->m;
/*semaphores unlink and creation */
sem_unlink("EMPTY");
empty=sem_open("EMPTY",O_CREAT|O_EXCL,0700,MAX_WRITES);
sem_unlink("FULL");
full=sem_open("FULL",O_CREAT|O_EXCL,0700,0);
sem_unlink("MUTEX");
mutex=sem_open("MUTEX",O_CREAT|O_EXCL,0700,1);
/*initialize shared memory */
shmid = shmget(IPC_PRIVATE,sizeof(matrix),IPC_CREAT|0777);
/*map shared memory*/
sh_mem = (matrix*)shmat(shmid,NULL,0);
if(sh_mem== (matrix*)(-1)){
perror("shmat");
}
}
void writer(int ** m){
int i,k;
for(i = 0;i<MAX_SIZE;i++){
for(k= 0;k<MAX_SIZE;k++){
m[i][k] = 0;
}
}
}
void reader(int **m){
int i = 0;
int k = 0;
for(i = 0;i<MAX_SIZE;i++){
for(k= 0;k<MAX_SIZE;k++){
printf(m[i][k]);
}
printf("\n");
}
}
void terminate() {
sem_close(empty);
sem_close(full);
sem_close(mutex);
sem_unlink("EMPTY");
sem_unlink("FULL");
sem_unlink("MUTEX");
shmctl(shmid, IPC_RMID, NULL);
}
int main(int argc, char **argv)
{
int i;
init();
for(i = 0;i<MAXCHILDS;i++){
if ((child[i] = fork()) < 0) // error occured
{
perror("Fork Failed");
exit(1);
}
if ((child[i] = fork())==0){
writer(sh_mem->m);
exit(0);
}
}
/*father*/
reader(sh_mem->m);
wait(NULL);
terminate();
return 0;
}
孩子应该在共享内存中写入矩阵,父亲应该读取共享内存数组并打印矩阵。 你能帮帮我吗?谢谢你的帮助...
答案 0 :(得分:1)
这里的主要错误是reader
和writer
采用的不同类型的参数比传递给他们的那样,gcc -Wall
指出:
test.c: In function ‘main’:
test.c:92:13: warning: passing argument 1 of ‘writer’ from incompatible pointer type [enabled by default]
test.c:49:6: note: expected ‘int **’ but argument is of type ‘int (*)[10]’
test.c:97:5: warning: passing argument 1 of ‘reader’ from incompatible pointer type [enabled by default]
test.c:58:6: note: expected ‘int **’ but argument is of type ‘int (*)[10]’
如所提供的,该计划在父母和每个孩子中都是分开的。当我将reader
和writer
的参数类型从int **m
更改为int m[MAX_SIZE][MAX_SIZE]
时(以及下面的修补程序),程序运行成功,据我所知。
还有许多其他错误:
#include <sys/wait.h>
。int **p
,其初始化与读写器功能具有相同的类型错误。printf
中的reader
调用需要格式字符串;我使用了"%d "
。fork()
的循环中只需拨打一次main
。编译器警告突出显示了除最后一个之外的所有内容。
在研究该程序失败的原因时,我还使用strace -f
来确定哪些系统调用和进程实际被破坏。例如,与信号量相关的系统调用似乎正在成功返回 - 尽管Jonathan指出,您应该检查它们的返回值是否有错误,因为尽早失败会使调试问题变得更加容易。