web-dev-qa-db-ja.com

Cの関数に渡されたポインターを変更するにはどうすればよいですか?

したがって、構造体のリストに構造体を追加するには、次のようなコードが必要です。

void barPush(BarList * list,Bar * bar)
{
    // if there is no move to add, then we are done
    if (bar == NULL) return;//EMPTY_LIST;

    // allocate space for the new node
    BarList * newNode = malloc(sizeof(BarList));

    // assign the right values
    newNode->val = bar;
    newNode->nextBar = list;

    // and set list to be equal to the new head of the list
    list = newNode; // This line works, but list only changes inside of this function
}

これらの構造は次のように定義されます。

typedef struct Bar
{
    // this isn't too important
} Bar;

#define EMPTY_LIST NULL

typedef struct BarList
{
    Bar * val;
    struct  BarList * nextBar;
} BarList;

そして、別のファイルで次のようなことをします:

BarList * l;

l = EMPTY_LIST;
barPush(l,&b1); // b1 and b2 are just Bar's
barPush(l,&b2);

ただし、この後、lは、barPush内で作成された変更バージョンではなく、引き続きEMPTY_LISTを指します。リストを変更したい場合、リストをポインターへのポインターとして渡す必要がありますか、それとも他の暗黒呪文が必要ですか?

49
Paul Wicks

これを行うには、ポインターをポインターに渡す必要があります。

void barPush(BarList ** list,Bar * bar)
{
    if (list == NULL) return; // need to pass in the pointer to your pointer to your list.

    // if there is no move to add, then we are done
    if (bar == NULL) return;

    // allocate space for the new node
    BarList * newNode = malloc(sizeof(BarList));

    // assign the right values
    newNode->val = bar;
    newNode->nextBar = *list;

    // and set the contents of the pointer to the pointer to the head of the list 
    // (ie: the pointer the the head of the list) to the new node.
    *list = newNode; 
}

次に、次のように使用します。

BarList * l;

l = EMPTY_LIST;
barPush(&l,&b1); // b1 and b2 are just Bar's
barPush(&l,&b2);

ジョナサンレフラーは、コメントでリストの新しいヘッドを返すことを提案しました。

BarList *barPush(BarList *list,Bar *bar)
{
    // if there is no move to add, then we are done - return unmodified list.
    if (bar == NULL) return list;  

    // allocate space for the new node
    BarList * newNode = malloc(sizeof(BarList));

    // assign the right values
    newNode->val = bar;
    newNode->nextBar = list;

    // return the new head of the list.
    return newNode; 
}

使用法は次のようになります。

BarList * l;

l = EMPTY_LIST;
l = barPush(l,&b1); // b1 and b2 are just Bar's
l = barPush(l,&b2);
54
geofftnz

一般的な答え:変更したいものにポインターを渡します。

この場合、変更するポインターへのポインターになります。

14
aib

Cでは、すべてが値で渡されることに注意してください。

このように、ポインターへのポインターを渡します

int myFunction(int** param1, int** param2) {

// now I can change the ACTUAL pointer - kind of like passing a pointer by reference 

}
13
Anthony

はい、ポインタへのポインタを渡す必要があります。 Cは引数を参照ではなく値で渡します。

2

これは古典的な問題です。割り当てられたノードを返すか、ポインターのポインターを使用します。 Cでは、Xを変更する関数にXへのポインターを渡す必要があります。この場合、ポインターを変更する必要があるため、ポインターをポインターに渡す必要があります。

2
dirkgently