【发布时间】:2016-09-18 16:57:40
【问题描述】:
...目前正在练习填充包含数组的结构(用于存储多个元素的字符数组)。我尝试实现的场景如下:
- 一般任务是(存储学生信息,名称为字符串,学生所学课程为列表或字符**)
- 首先从文件中加载学生信息!(myfile.txt)
- 标记/解析学生信息并加载到结构中
包含我学生信息的文件是:
myfile.txt(每行包含学生姓名和课程列表)以“:”分隔
Austin Barbra:Biology,chemistry,maths,music
Romio Chandra:Mechanics,IT,Geology,music,Astronomy
.
.
我的 main.c 是:
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#define path "myfile.txt"
typedef struct student_info
{
char *studt_name;
char *cources_as_string;
char **cources_as_list;
}std_info ;
std_info *myinfo; //a global var that will conatain student info
int student_count = 0,cource_count=0;
void load_file()
{
int i,yu,index=0;
char *line =NULL,* token = NULL;
size_t len=0;
FILE *fp;
fp =fopen(path,"r");
if(fp==NULL)
{
perror("FILE OPEN ERROR[IN load_file]: ");
return;
}
if (( myinfo = (struct student_info *) malloc( 2 * sizeof(myinfo) ) ) == NULL)//malloc for 2 students
puts ("malloc fail");
while (getline(&line, &len, fp) != -1 )
{
strtok(line,"\n");
char *token;
token = strtok(line,":");
myinfo[index].studt_name=(char * ) malloc(200 * sizeof(char ) );
strcpy(myinfo[index].studt_name,token);
token = strtok(NULL, ":");
myinfo[index].cources_as_string=(char * ) malloc(200 * sizeof(char ) );
strcpy(myinfo[index].cources_as_string,token);
index++;
}
student_count = index;
fclose(fp);
}
char** return_cource_list(char* cources_string)
{
char *token;
char **cource_list = malloc (sizeof (char *) * 10);
int index = 0;
//course_string is delimited by ",": (eg. Biology,chemistry,maths,music). parse this and add to my char ** variable.
token = strtok(cources_string,",");
cource_list[0]= token;
while (token != NULL)
{
cource_list[index]= token;
token = strtok (NULL, ",");
index++;
}
cource_count = index;
return cource_list;
}
int main()
{
int i,j;
load_file();
for(i=0;i<student_count;i++)
{
printf("============================\n");
printf("NAME: %s >>COURCE_string: %s\n",myinfo[i].studt_name,myinfo[i].cources_as_string);
char ip_list[200];
char** std_cource_list = return_cource_list(myinfo[i].cources_as_string);
for(j=0;j<cource_count;j++)
{
printf("\tCOURCE_list[%d]: %s\n",j,std_cource_list[j]);
//segmentation fault exists here, to copy "std_cource_list[j]" to my struct...(need help here).
strcpy(myinfo[i].cources_as_list[j],std_cource_list[j]);
}
}
}
我面临的问题是填充结构的“char **cources_as_list;”成员。我从内部 for 循环中得到一个 seg_fault(在 j 上迭代)。我错过了我的代码中的某些内容吗?
【问题讨论】:
-
malloc( 2 * sizeof(myinfo) )- 你想改用malloc( 2 * sizeof(*myinfo) ),否则它只会为两个指针分配空间。 -
cource_list[index]= token;- 可能您想使用cource_list[index]= strdup(token);以便将每个字符串放在单独的动态分配的内存区域中。 -
@kfx:我已成功返回我的 "cource_list[ ]"。问题是当我将“cource_list 加载到我的结构”时。即在
strcpy(myinfo[i].cources_as_list[j],std_cource_list[j])。我想我必须分配一个内存。?你能指导我去malloc吗?谢谢。