任务如下:
/ * LAB 6任务A * /
/ * 将整个数组ia保存到名为' filename'的文件中。在二进制文件中 可以由intarr_load_binary()加载的文件格式。返回 成功时为零,或者失败时为非零错误代码。数组 length 0应该生成一个包含空数组的输出文件。 * /
/ * LAB 6任务B * /
/ * 从名为' filename'的文件中加载一个新数组,即 以前使用intarr_save_binary()保存。返回指向a的指针 成功时新分配的intarr_t,失败时为NULL。 * /
对于A,我的代码如下:
int intarr_save_binary( intarr_t* ia, const char* filename )
{
int returnValue = 0;
unsigned int len = ia->len;
FILE *f;
if( NULL == (f = fopen (filename, "wb") ))
{
perror( "fopen failed" );
returnValue = 1;
}
else if ( fwrite ( &len, sizeof(int), 1, f) == 1 )
{ // then write of length successful
if (fwrite (ia->data, sizeof(int), len, f) == len)
{
returnValue = 0; // indicate success
}
else
{ // else, write of data failed
returnValue = 3;
}
}
else
{ // else, failed to write len value to file
returnValue = 4;
}
fclose( f ); // cleanup (writes last buffer to file)
return( returnValue );
}
对于B,我的代码如下:
intarr_t* intarr_load_binary( const char* filename )
{
unsigned int len = 0;
FILE *f = NULL;
intarr_t* newia = NULL;
if( NULL == fopen (filename, "rb") )
{ // then, fopen failed
perror( "fopen failed" );
exit( EXIT_FAILURE );
} // end if
// implied else, fopen successful
if( NULL == (newia = malloc (sizeof(intarr_t)))){
perror( "malloc failed" );
fclose(f);
exit( EXIT_FAILURE );
} // end if
// implied else, malloc successful
if( (fread (&len, sizeof(int), 1, f) != 1 ) )
{ // then fread failed
perror( "fread failed" );
fclose(f);
free( newia );
exit( EXIT_FAILURE );
} // end if
// implied else, fread for len successful
newia->len = len;
if( NULL == (newia->data = malloc (len*sizeof(int)) ) )
{ // then malloc failed
perror( "malloc failed" );
fclose(f);
free( newia );
exit( EXIT_FAILURE );
} // end if
// implied else, malloc successful
if( fread( newia->data, sizeof(int), len, f ) != len )
{ // then, fread failed
perror( "fread failed" );
fclose(f);
free(newia->data);
free(newia);
exit( EXIT_FAILURE );
} // end if
// implied else, fread successful
fclose (f);
return newia;
} // end function: intarr_load_binary
任何人都可以告诉我为什么我的代码导致分段错误?非常感谢你。
答案 0 :(得分:0)
在B代码中,NULL
传递给
fread()
if( (fread (&len, sizeof(int), 1, f) != 1 ) )
因此可能导致分段错误。
要解决此问题,请将从fopen()
返回的文件指针指定给f
:
变化
if( NULL == fopen (filename, "rb") )
到
if( NULL == (f = fopen (filename, "rb")) )
同时检查传递给函数的参数是否有效。