strdup()
テキストの新しい行ごとにメモリの割り当てを簡素化するために使用するバージョンを次に示します。また、メモリ割り当て関数の「x」バージョンを使用して、メモリ不足のエラー処理を簡素化します (非標準であっても、やや一般的なイディオムです)。
したがって、実際に残っているすべての複雑さ (最終的にはそれほど多くはありません) は、文字列ポインターの配列の増加を管理することです。これにより、各文字列の処理とポインターの配列の処理を分離しやすくなると思います。元のコードでは、これら 2 つの領域が混乱していました。
// these variants allocate memory, but abort program on failure
// for simplified error handling - you may need different
// error handling, but often this is enough
//
// Also, your platform may or may not already have these functions
// simplified versions are in the example.
void* xmalloc( size_t size);
void* xrealloc(void* ptr, size_t size);
char* xstrdup(char const* s);
char** receiveCode(int socket){
size_t lines = 0;
char** code = xmalloc( (lines + 1) * sizeof(*code));
*code = NULL;
while(1){
package_struct *aPackage = receivePackage(socket);
if(aPackage->type=='F') {
free(aPackage); // not 100% sure if this should happen here or not.
// Is a `package_struct` with type 'F' dynamically
// allocated or is a pointer to a static sentinel
// returned in this case?
break;
}
// why use `aPackage->size` when you use `strcpy()` to
// copy the string anyway? Just let `strdup()` handle the details
//
// If the string in the `pckage_struct` isn't really null terminated,
// then use `xstrndup(aPackage->package, aPackage->size);` or something
// similar.
char* line = xstrdup(aPackage->package);
++lines;
// add another pointer to the `code` array
code = xrealloc(code, (lines + 1) * sizeof(*code));
code[lines-1] = line;
code[lines] = NULL;
free(aPackage);
}
return code;
}
void* xmalloc(size_t size)
{
void* tmp = malloc(size);
if (!tmp) {
fprintf(stderr, "%s\n", "failed to allocate memory.\n";
exit(EXIT_FAILURE);
}
return tmp;
}
void* xrealloc(void *ptr, size_t size)
{
void* tmp = realloc(ptr, size);
if (!tmp) {
fprintf(stderr, "%s\n", "failed to allocate memory.\n";
exit(EXIT_FAILURE);
}
return tmp;
}
char* xstrdup(char const* s)
{
char* tmp = strdup(s);
if (!tmp) {
fprintf(stderr, "%s\n", "failed to allocate memory.\n";
exit(EXIT_FAILURE);
}
return tmp;
}
aPackage->package
また、文字列ポインタなのか、文字列データを保持する実際の場所なのかchar[]
(つまり、/ ?&aPackage->package
に渡す必要があるのか) を明確にする必要があると思います。それが本当にポインターである場合、解放する前に解放する必要がありますか?strcpy()
xstrdup()
aPackage