C语言 为什么指向自定义结构的指针在这里不起作用?

dphi5xsq  于 2022-12-02  发布在  其他
关注(0)|答案(2)|浏览(187)

1.为什么指向自定义结构的指针在该代码中不起作用?
1.为什么我会在p-〉x = x这行得到警告呢?
1.为什么我会得到第二个警告与strcpy_s一致?

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

typedef struct sptr {
    int x;
    char* s;
    struct sptr* next;
} ptr;

void add(ptr* p, int x, const char* s) {
    ptr* o = p;
    p = (ptr*) malloc(sizeof(ptr));
    p->x = x; // warning
    p->s = (char*)malloc(20 * sizeof(char));
    strcpy_s(p->s, 20, (char*)s); // warning
    p->next = o;
}

void show(ptr* p) {
    ptr* o = p;
    while (o != NULL) {
        printf("%d %s\n", o -> x, o -> s);
        o = o->next;
    }
}

int main() {
    ptr* p = NULL;

    add(p, 5, "xcvxvxv");
    add(p, 7, "adadad");
    show(p);

    return 0;
}
qjp7pelc

qjp7pelc1#

指针是值。
add正在接收NULL指针值的 * 副本 *。将add中的局部变量p更改为malloc返回的新指针值不会更改main中单独的局部变量p
就像要在调用者的作用域中更改int的值一样,可以使用int *参数:

void change(int *val)
{   
    *val = 10;
}                   
                                
int main(void)             
{
    int a = 5;             
    change(&a);
}

在调用方的作用域中更改int *的值将需要int **参数。

#include <stdlib.h>

void change(int **val)
{
    *val = malloc(sizeof **val);
}

int main(void)
{
    int *a;
    change(&a);
}

这可以扩展到任何类型。
malloc可以 * 失败 *,并返回NULL。在NULL指针值上执行indirectionUndefined Behaviour
必须通过检查malloc的返回值来防止这种情况的发生。

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

typedef struct node {
    int x;
    char *s;
    struct node *next;
} Node;

void add(Node **p, int x, const char *s) {
    Node *new_node = malloc(sizeof *new_node);

    if (!new_node) {
        perror("allocating node");
        exit(EXIT_FAILURE);
    }

    new_node->s = malloc(1 + strlen(s));

    if (!new_node->s) {
        perror("allocating node string");
        exit(EXIT_FAILURE);
    }

    new_node->x = x;
    strcpy(new_node->s, s);

    new_node->next = *p;
    *p = new_node;
}

void show(Node *p) {
    while (p) {
        printf("%d %s\n", p->x, p->s);
        p = p->next;
    }
}

int main(void) {
    Node *list = NULL;

    add(&list, 5, "xcvxvxv");
    add(&list, 7, "adadad");

    show(list);
}
ecbunoof

ecbunoof2#

1.为什么指向自定义结构的指针在该代码中不起作用?
待定
1.为什么我会在p-〉x = x这行得到警告呢?
1.为什么我会得到第二个警告与strcpy_s一致?
发生2个警告,因为程式码取消指涉malloc()的指标,而没有先检查指标是否可能是NULL

相关问题