1

私はVisual Studio 2010を使用していますが、これにはいくつかの特異性があることがわかっています。そうではないことを願っています。

これは明らかにより大きなプログラムの一部ですが、何をしているのかを理解できるように単純化しようとしました。

実行するたびに、calloc 割り当てが NULL として解決され、プログラムを終了します。calloc の周りに if ステートメントを付けずに試してみたところ、デバッグ エラーが発生したので、calloc が問題であると確信しています。

どんな助けでも大歓迎です。

#include <stdio.h>
#include <string.h>
#include <stdlib.h>

typedef struct NODE {
    char * x;
    struct NODE * link;
} NODE;

typedef struct {
    NODE * first;
} STRUCTURE;

NODE * insertNode (NODE * pList, NODE * pPre, char * string);

int main (void) {
   STRUCTURE  str[2];
   char * string = "blah";
    str[2].first = NULL;
    str[2].first = insertNode (str[2].first, str[2].first, string); 
    printf ("\n%s\n", str[2].first->x);
return 0;
}

NODE * insertNode (NODE * pList, NODE * pPre, char * string)
{
    //Local Declarations
    NODE * pNew;

    //Statements
    if ( !(pNew = (NODE*)malloc(sizeof(NODE)))) 
            printf ("\nMemory overflow in insert\n"),
                exit (100);
        if ( ( pNew->x = (char*)calloc((strlen(string) + 1), sizeof(char))) ==     NULL);
        {
            printf ("\nMemory overflow in string creation\n");
            exit (100);
        }
        strncpy(pNew->x, string, strlen(pNew->x)); 
    if (pPre == NULL) //first node in list
    {
        pNew->link = pList;
        pList = pNew;
    }
    else 
    {
        pNew->link = pPre->link;
        pPre->link = pNew;
    }

    return pList;
}
4

1 に答える 1

2

私はVisual Studio 2010を使用していますが、これにはいくつかの特異性があることがわかっています。そうではないことを願っています。

それはセミコロンです:

if ( ( pNew->x = (char*)calloc((strlen(string) + 1), sizeof(char))) ==     NULL);
                                                                                ^

callocが返されても、次のブロックに入り、 を呼び出しますexit


補足として、次のように書くことができます。

if (!(pNew->x = calloc(strlen(string) + 1, 1)))
    /* ... */
于 2012-04-16T00:29:22.300 に答える