所以我是第一次从C++学习这个使用指针的练习。我的教授希望我们在不使用索引的情况下进行这项练习,以更好地掌握指针。我正试图从一个文件读取一个嵌入动态分配结构中的2d数组。我希望我的问题措辞足够好,并提供了适当的信息。非常感谢。
我的结构
typedef struct //struct that holds ASCII art
{
char artistName[80]; //name of artist
char asciiArt[20][80]; //actual ascii art line by line
int rating; //rating of art
}TextArt;
结构声明和分配的数组
TextArt **artPtr;
artPtr = malloc(1000 * sizeof(TextArt) + 1);
代码行给了我问题。到目前为止,我从文件中读得很好,我不确定这段时间是否有效,我正在第一个字符中寻找#。这里不使用索引的语法让我很困惑,所以这是我最需要帮助的地方。它是一个指向结构(*asciiArt+i)数组的指针,然后在结构中->一个2d c字符串数组asciiArt[][]。
while(*tempLine != '#') //while there is no # in position [0] -- read into temp string
{
printf("while templinen");
fgets((*asciiArt+i)->asciiArt, 100, pFile);
}
如果您需要更多信息,请忽略上面代码的完整功能,否则请忽略此代码块。
void readFromFile(TextArt **asciiArt, int size, char *fileName)
{
int index = 0; //index for array of struct
int i = 0;
int j = 0;
char tempLine[500]; //temp placeholder
FILE *pFile;
pFile = fopen (fileName ,"r");
if (pFile == NULL)
printf("Error opening file");
else
{printf("file opened.");
for(i = 0; pFile != NULL; i++) //*(*(data + i) + j)
{ j=0;
fgets((*asciiArt+i)->artistName, 100, pFile); //get artist name from first line
printf("got artist name");
while(*tempLine != '#')
{printf("while templinen");
fgets((*asciiArt+i)->asciiArt, 100, pFile); //while there is no # -- read into temp string
}
strcpy(tempLine, ""); //clear temp string
printf("for loop done");
}
return;
}
}
这是一个错误:
TextArt **artPtr;
artPtr = malloc(1000 * sizeof(TextArt) + 1);
CCD_ 1与CCD_ 2无关。artPtr
指向指针数组,而不是TextArt对象数组。你刚刚分配(或试图分配)的1000个指针中的每一个目前都指向任何地方,在使用它们之前,你必须将每个指针指向某个地方。
更新:OP阐明了分配1000个TextArt
的阵列的意图:
TextArt *artPtr;
artPtr = malloc(1000 * sizeof(TextArt));
我不确定+ 1
是什么意思。
如果readFromFile
函数可能需要调整数组的大小,那么您可以像一样传递它
void readFromFile( &artPtr, ......
在功能内部,你可以访问它,比如:
fgets((*asciiArt)[i].artistName, 100, pFile);
实际上我会写
TextArt *artPtr = *asciiArt;
fgets( artPtr[i].artistName, 100, pFile );
因为它更容易阅读,而不是到处都有括号。
如果函数不需要重新分配,那么只需使其占用TextArt *artPtr;
。
可能是
TextArt *artPtr;
artPtr = malloc(1000 * sizeof(TextArt));
...
void readFromFile(TextArt *asciiArt, int size, char *fileName){
int index, i, ch; //index for array of struct
char tempLine[500];
FILE *pFile;
pFile = fopen (fileName ,"r");
if (pFile == NULL)
printf("Error opening file");
else{
printf("file opened.");
for(index = 0; index < size; ++index){
TextArt *pta = asciiArt + index;
fgets(pta->artistName, sizeof(pta->artistName), pFile);
printf("got artist name");
for(i=0;i<20;++i){//20 : sizeof(pta->asciiArt)/sizeof(pta->asciiArt[0])
if(EOF==(ch=fgetc(pFile))){
index = size;//outer loop break
break;
} else if(ch == '#'){
//ungetc(ch, pFile);
fgets(tempLine, sizeof(tempLine), pFile);
break;
} else {
ungetc(ch, pFile);
fgets(pta->asciiArt + i, sizeof(pta->asciiArt[0]), pFile);
}
}
}
fclose(pFile);
}
}