我正在尝试使用scanf
多次输入链接列表中的字符指针。但每次输入新输入时,name
都会在所有字段中发生变化。
这是我的链表:
struct node {
struct node *next;
int level;
char *name;
};
这是我的主要功能:
struct node *root = NULL;
while (1) {
char arrays[12];
char *n;
n = arrays;
int i = NULL;
printf("Enter level: ");
scanf("%i", &i);
printf("\nEnter name: ");
scanf("%s", arrays);
insert(&root, i, n, compare);
display(root);
}
插入功能:
void insert(struct node **head, const int level, char *name, int(*cmp)(struct node *l, struct node *r))
{
struct node *new;
new = malloc(sizeof *new);
new->level = level;
new->name = name;
/* Find the insertion point */
for (; *head != NULL; head = &(*head)->next)
{
if ((*head)->level > level || (*head)->level == level && cmp(*head, new) > 0) { break; }
}
new->next = *head;
*head = new;
}
基本上如果我输入:
input: | expected output: | actual output:
1 smith | 1 john | 1 alice
1 john | 1 smith | 1 alice
3 malek | 2 alice | 2 alice
2 alice | 3 malek | 3 alice
注意:当我在没有scanf
的情况下手动输入数据时,功能按预期工作,例如:
insert(&root, 1, "Abbas", compare);
insert(&root, 1, "Calbass", compare);
答案 0 :(得分:1)
这一行:
new->name = name;
只需更改指针的值 - 它不会复制字符串。因此,链表中的所有元素都将指向arrays
。因此,更改arrays
的内容将使其看起来好像列表中的所有元素都已更改(但它们不是)。
您可能需要:
strcpy(new-> name,name);
然后你还需要malloc
内存来获取字符串。
类似的东西:
new = malloc(sizeof *new);
new->level = level;
new->name = malloc(12 * sizeof(char)); // Memory for the string
strcpy(new->name, name); // Copy the input string
顺便说一句:
更改
insert(&root, i, n, compare);
到
insert(&root, i, arrays, compare);
并删除n
变量。功能相同,但编码器更易于阅读和理解。
答案 1 :(得分:0)
看起来你正在将arrays
的指针插入列表中。当你写:
insert(&root, 1, "Abbas", compare);
它的工作原理是因为没有修改字符串文字“Abbas”,但每次执行arrays
时都会覆盖scanf("%s", arrays);
的内容。考虑将char * name更改为char name [12]并将输入直接读入到节点中。