我一直在研究双链表的一组函数,我遇到的一个问题是将元素插入列表但是按列表顺序保存列表。因此,如果我有{3,4,6}的列表并插入5,则列表将变为{3,4,5,6}
我刚刚在昨晚重写之后完成了最新的代码,请评论并告诉我是否有更好的方法,我发布了头文件和c文件。我想指出的一件事是我不使用指向当前节点的指针,只在insert函数中创建一个指针,该指针创建一个带有临时放置的新节点。
LIST.H
/* custom types */
typedef struct node
{
int val;
struct node * next;
struct node * prev;
}Node;
typedef struct list
{
Node * head;
Node * tail;
}List;
/* function prototypes */
/* operation: creates a list */
/* pre: set equal to a pointer to a list*/
/* post: list is initialized to empty */
List* NewList();
/* operation: Insert a number into a list sorted */
/* pre: plist points to a list, num is an int */
/* post: number inserted and the list is sorted */
void Insert(List * plist, int x);
LIST.C
/* c file for implentation of functions for the custome type list */
/* specifically made for dueling lists by, Ryan Foreman */
#include "List.h"
#include <stdlib.h> /* for exit and malloc */
#include <stdio.h>
List* NewList()
{
List * plist = (List *) malloc(sizeof(List));
plist->head = NULL;
plist->tail = NULL;
return plist;
}
void Insert(List * plist, int x)
{
/* create temp Node p then point to head to start traversing */
Node * p = (Node *) malloc(sizeof(Node));
p->val = x;
/* if the first element */
if ( plist->head == NULL) {
plist->head = p;
plist->tail = p;
}
/* if inserting into begining */
else if ( p->val < plist->head->val ) {
p->next = plist->head;
plist->head->prev = p;
plist->head = p;
}
else {
p->next = plist->head;
int found = 0;
/* find if there is a number bigger than passed val */
while((p->next != NULL) && ( found == 0)) {
if(p->val < p->next->val)
found = 1;
else {
p->next = p->next->next;
}
}
/* if in the middle of the list */
if(found == 1)
{
p->prev = p->next->prev;
p->next->prev = p;
}
/* if tail */
else {
plist->tail->next = p;
p->prev = plist->tail;
plist->tail = p;
}
}
}
感谢您对代码的任何输入,感谢任何评论
答案 0 :(得分:1)
对您的C'利用率的一些评论。
void
的指针转换为指向对象的指针是不必要的。 malloc
返回可能是个好主意。答案 1 :(得分:1)
malloc()没有零内存,你没有设置你的第一个节点next / prev,所以你的while循环可以永远继续,如果第二个节点&gt; =第一个节点值,即退出条件p-&gt; next! =不符合NULL。