我正在尝试创建一个将 char* 添加到 LinkedList 的方法,以确保 linkedList 始终按字母顺序排序。我得到了定义 LinkedItem 结构的代码:
// Define our list item as 'struct ListItem', and also
// typedef it under the same name.
typedef struct ListItem {
char *s;
struct ListItem *p_next;
} ListItem;
我还获得了一种将项目添加到列表开头的方法:
// Adds a new item to the beginning of a list, returning the new
// item (ie the head of the new list *)
ListItem* add_item(ListItem *p_head, char *s) {
// Allocate some memory for the size of our structure.
ListItem *p_new_item = malloc(sizeof(ListItem));
p_new_item->p_next = p_head; // We are the new tail.
p_new_item->s = s; // Set data pointer.
return p_new_item;
}
现在这是我的代码,我将在之后解释更多:
ListItem* addSortedItem(ListItem *p_head, char *s){
if(p_head==NULL)//if the list is empty, we add to the beginning
return add_item(p_head,s);
ListItem* p_new_item = malloc(sizeof(ListItem));
ListItem *p_current_item = p_head; //makes a pointer to the head of the list
while (p_current_item) { // Loop while the current pointer is not NULL
printf("entering while loop with current=%s\n",p_current_item->s);
// now we want to look at the value contained and compare it to the value input
if(aThenB(s,p_current_item->s)!=TRUE){
// if A goes after B, we want to go on to look at the next element
p_current_item=p_current_item->p_next;
} else if (aThenB(s,p_current_item->s)==TRUE) {printf("entered elseif\n");
p_head=add_item(p_current_item,s);
return p_head;
} else {printf("WHY DID WE EVER REACH THE ELSE!?"); return p_head;}
}
}
现在,如果 A 和 B 的正确排序顺序是 A,然后是 B,则 aThenB(StringA,StringB) 返回 TRUE,否则返回 false - 相等也是一个选项,我只是没有让它工作得足够好以允许它: -)
我的测试数据(即"sheep i"
i 从 0 到 10)发生的情况是,要么我只返回一个元素,要么我随机跳过元素,具体取决于订单输入。我可以包含更多代码,但它有点乱。
我认为我的问题源于没有完全理解指针以及它们是如何工作的——我想确保 p_head 始终指向头部,而 p_current 正在遍历列表。但是当 p_current 到达最后一个元素时,我也会遇到段错误,所以我不确定我哪里出错了。
感谢您就如何让我的代码正确返回提供任何帮助:-)
编辑: addSortedItem() 在 main 方法的以下块中调用:
// The empty list is represented by a pointer to NULL.
ListItem *p_head = NULL;
ListItem *p_head2=NULL;
// Now add some items onto the beginning of the list.
int i;
for (i=0; i<NO_ITEMS; i++) {
// Allocate some memory for our string, and use snprintf to
// create a formatted string (see GNU API docs) much like printf
// but instead writing to memory rather than the screen.
char* s = malloc(MAX_DATA_CHARS);
snprintf(s, (size_t) MAX_DATA_CHARS, "sheep %d", i);
p_head = addSortedItem(p_head, s);
}