顺序表双链表OJ题

1、实现双链表的增删查改

#include"8.20.h"
ListNode*BuyListNode(LTDataType x)
{
	ListNode *node = (ListNode*)malloc(sizeof(ListNode));
	node->data = x;
	node->next = NULL;
	node->prev = NULL;
	return node;
}
ListNode*ListCreate()
{
	ListNode*head = (ListNode*)malloc(sizeof(ListNode));
	head->next = head;
	head->prev = head;
	return head;
}
void ListPrint(ListNode * pHead)
{
	assert(pHead);
	ListNode*cur = pHead->next;
	while (cur != pHead)
	{
		print("%d->", cur->data);
		cur = cur->next;
	}
	printf("\n");
}
void ListDestroy(ListNode*pHead)
{
	ListNode * cur = pHead -> next;
	while (cur != pHead)
	{
		ListNode*next = cur->next;
		free(cur);
		cur = next;
	}
	free(pHead);
}
void ListPushBack(ListNode*pHead, LTDataType x)
{
	assert(pHead);
	ListInsert(pHead, x);
}
void ListPushFront(ListNode*pHead, LTDataType x)
{
	assert(pHead);
	ListInsert(pHead->next, x);
}
void ListPopBack(ListNode *pHead)
{
	assert(pHead);
	ListErase(pHead->prev);
}
void ListPopFront(ListNode *pHead)
{
	ListErase(pHead->next);
}
void ListInsert(ListNode*pos, LTDataType x)
{
	assert(pos);
	ListNode*prev = pos->prev;
	ListNode*newnode = BuyListNode(x);
	prev->next = newnode;
	newnode->prev = prev;
	pos->prev = newnode;
}
void ListErae(ListNode*pos)
{
	assert(pos);
	ListNode*prev = pos->prev;
	ListNode*next = pos->next;
	prev->next = next;
	next->prev = prev;
	free(pos);
}

你可能感兴趣的:(顺序表双链表OJ题)