在函数中访问链表 - C



我的问题是我想访问我在letters函数中创建的链表,并使用它来在report函数中打印出来。但是,似乎我无法做到这一点,当我尝试检查charslst_ptr的内存地址时,我发现它们彼此不同。为了实现我的目标,它们不应该是一样的吗?
提前致谢!!

#include <stdio.h>
#include <stdlib.h>
struct charact {
char ch;
int occurs;
struct charact *next;
};
typedef struct charact Char;
typedef Char * ListofChar;
typedef Char * CharNode_ptr;
void letters(char name[50], ListofChar * chars_ptr);
void report(ListofChar  chars);
Char * createnode(char ch);
int main() {
char name[50];
ListofChar chars = NULL;
scanf("%s", name);
letters(name, &chars);
report(chars);
return 0;
}
Char * createnode(char ch) {
CharNode_ptr newnode_ptr ;
newnode_ptr = malloc(sizeof (Char));
newnode_ptr -> ch = ch;
newnode_ptr -> occurs = 0;
newnode_ptr -> next = NULL;
return newnode_ptr;
}
void letters(char name[50], ListofChar * lst_ptr) {
int i,j,occs;
lst_ptr=malloc(100);
for(i=0;i<strlen(name);i++){
occs=0;
for(j=0;j<strlen(name);j++){
if(name[i]==name[j]){
occs++;
}
}
lst_ptr[i]=createnode(name[i]);
lst_ptr[i]->occurs=occs;
if(i>0){
lst_ptr[i-1]->next=lst_ptr[i];
}
}
printf("%pn",lst_ptr);
return;
}
void report(ListofChar  chars) {
printf("%p",chars);
return;
}

你刚刚发现了摆弄指针是什么感觉:)

因此,首先,不要typedef名称中没有星号的指针类型;否则可读性会受到影响。事实上,由于这个原因,我一开始很难遵循你的代码。

出于上述原因,在这个答案中,我将假装typedef Char * ListofChartypedef Char * CharNode_ptr不在那里,并只使用Char

main函数中,您有以下声明:

Char* chars = NULL;

您需要记住的是,指针chars本身具有内存地址。 然而,chars指向NULL

现在,在letters函数中,您需要修改chars指向的内容。您可以通过两种方式实现此目的:要么像这样直接从函数中引用它

void letters(char name[50]) {
/* ... */
chars = malloc(100);
/* ... */
}

或者通过将char的地址传递给letters,从而使letters能够修改chars指向的内容

void letters(char name[50], Char** lst_ptr) {
/* ... */
// Note that I'm referring to what lst_ptr is pointing to,
// that is, chars. At this point of the code, *lst_ptr == chars
*lst_ptr = malloc(100);
/* ... */
}

现在看看函数的签名reportletters。前者只取一个指针(Char*),后者取一个指针(Char**)。这就是为什么您的printf在内存中为您提供不同位置的原因。reportprintf是打印chars所指向的内容;而letters中的printf正在打印chars的地址(由lst_ptr持有)。

为了打印相同的地址,请打印lst_ptr指向的内容,即:

printf("%pn", *lst_ptr);

我拿了你发布的代码并应用了我刚才所说的,这是我机器上的输出

gianluca
0x55b67d7db6e0
0x55b67d7db6e0

相关内容

  • 没有找到相关文章

最新更新