#define _CRT_SECURE_NO_WARNINGS #include<stdio.h> #include<windows.h> #include<string.h> #include<stdlib.h> #include<math.h> #include<malloc.h> typedef struct character_name { char name[100]; struct character_name* next; }char_name; typedef struct character_title { char title[100]; struct character_title* next; }char_title; typedef struct character_identity { char identity[100]; struct character_identity* next; }char_iden; typedef struct character_attribute { int strength; struct character_attribute* next; }char_att; typedef struct character_information { char_name* _name; char_title* _title; char_iden* _iden; char_att* _att; struct character_information* next; }char_inf; void initialization(char_inf*node) { node = (char_inf*)malloc(sizeof(char_inf)); node->_name = (char_name*)malloc(sizeof(char_name)); node->_title = (char_title*)malloc(sizeof(char_title)); node->_iden = (char_iden*)malloc(sizeof(char_iden)); node->_att = (char_att*)malloc(sizeof(char_att)); } char_inf* ceshi; int main() { initialization(ceshi); strcpy(ceshi->_name->name, "ceshi_1"); strcpy(ceshi->_title->title, "ceshi_2"); strcpy(ceshi->_iden->identity, "ceshi_3"); ceshi->_att->strength = 4; printf("%s\n%s\n%s\n%d\n", ceshi->_name->name, ceshi->_title->title, ceshi->_iden->identity, ceshi->_att->strength); return 0; } 为什么报错访问权限冲突
时间: 2024-04-14 12:25:52 浏览: 231
在你的代码中,报错访问权限冲突是因为你在初始化函数`initialization`中使用了错误的方式来分配内存。具体来说,你传递了一个指向`char_inf`结构体指针的指针(`char_inf* node`),然后在函数内部尝试为它分配内存。
然而,这样的分配方式是错误的,因为当你在函数内部为`node`分配内存时,它只是一个局部变量,对外部的`ceshi`指针没有影响。因此,在`main`函数中访问`ceshi`时,它仍然是一个未初始化的指针,导致访问权限冲突。
为了解决这个问题,你可以将`initialization`函数修改为返回分配好的内存块的指针,然后将其赋值给`ceshi`指针。具体代码如下所示:
```c
char_inf* initialization()
{
char_inf* node = (char_inf*)malloc(sizeof(char_inf));
node->_name = (char_name*)malloc(sizeof(char_name));
node->_title = (char_title*)malloc(sizeof(char_title));
node->_iden = (char_iden*)malloc(sizeof(char_iden));
node->_att = (char_att*)malloc(sizeof(char_att));
return node;
}
```
然后在`main`函数中调用该函数,并将返回的指针赋值给`ceshi`,如下所示:
```c
ceshi = initialization();
```
这样,你就可以正确地分配内存并访问`ceshi`结构体的成员了,不再会出现访问权限冲突的错误。
阅读全文