鏈表歸併排序

            主要思路:

               1   如果爲NULL或者只有一個節點那麼直接返回;

               2    將鏈表分成兩部分,分別進行排序,形成兩個有序鏈表;

               3   將兩個有序鏈表合併;


void merge_sort(struct Node **list)
{
	struct Node *p = *list;
	struct Node *left = NULL;
	struct Node *right = NULL;

	if (p == NULL || p->next == NULL)
		return ;
	split(p, &left, &right);
	merge_sort(&left);
	merge_sort(&right);

	*list = mergeSortedLink(left, right);
}



void split(struct Node *head, struct Node **listA, struct Node **listB) 
{
	
	if (head == NULL || head->next == NULL) {
		*listA = head;;
		*listB = NULL;
		return ;
	}
	struct Node *p = head;;
	struct Node *pfast = p->next;
	while (pfast->next != NULL) {
		pfast = pfast->next;
		if (pfast->next != NULL) {
			pfast = pfast->next;
			p = p->next;
		}
	}
	*listA = head;
	*listB = p->next;
	p->next = NULL;
}

struct Node *mergeSortedLink(struct Node *listA, struct Node *listB)
{
	struct Node *head = NULL;
	struct Node *tail = NULL;
	if (listA == NULL) {
		head = listB;
	} else if (listB == NULL) {
		head = listA;
	} else {
	while (listA != NULL && listB != NULL) {
		if (listA->data < listB->data) {
			if (head == NULL) {
				head = listA;
				tail = listA;
			} else {
				tail->next = listA;
				tail = listA;
			}
				listA = listA->next;
		} else {
			if (head == NULL) {
				head = listB;
				tail = listB;
			}else {
				tail->next = listB;
				tail = listB;
			}
				listB = listB->next;
		}
	}
	if (listA != NULL) {
		tail->next = listA;
	}

	if (listB != NULL) {
		tail->next = listB;
	}
	}
	return head;
}




發佈了40 篇原創文章 · 獲贊 6 · 訪問量 10萬+
發表評論
所有評論
還沒有人評論,想成為第一個評論的人麼? 請在上方評論欄輸入並且點擊發布.
相關文章