归并排序

归并排序算法完全按照分治模式:

分解:分解待排序的n个元素序列成n/2个子序列。

解决:使用归并排序递归的排序两个子序列。

合并:合并两个已经排序的子序列以产生已排序的答案。


摘自《算法导论》P17的伪代码:

MERGE(A,p,q,r)
	n1 = q - p + 1
	n2 = r - q
	let L[1...n1 + 1] and R[1...n2 + 1] be new array
	//创建两个子数组的空间	
	for i = 1 to n1
		L[i] = A[p + i - 1]
	for j = 1 to n2
		R[j] = A[p + j]
	L[n1 + 1] = Inf
	R[n2 + 1] = Inf
	i = 1
	j = 1
	for k =p to r
		if L[i] <= R[j]
			A[k] = L[i]
			i = i + 1
		else
			A[k] = R[j]
			j = j + 1

MERGE-SORT(A,p,r)
	if p < r
		q = [(p+q)/2]	//	[]是取整
		MERGE-SORT(A,p,q)
		MERGE-SORT(A,q+1,r)
		MERGE(A,p,q,r)

c/c++:

#include <iostream>
using namespace std;
void merge (int source[], int temple[], int start, int mid, int end);
void merge_sort (int source[], int temple[], int start, int end);
int main()
{
    int a[10] = {9,2,5,1,7,3,0,6,8,4};
    int i, b[10];
    merge_sort(a, b, 0, 9);
    for(i=0; i < 10; i++)
        printf("%d ", a[i]);
    printf("\n");
    return 0;
}
void merge_sort (int source[], int temple[], int start, int end)
{	
	int mid = (start + end) / 2;
	if (end > start)
	{
		merge_sort(source,temple,start,mid);
		merge_sort(source,temple,mid+1,end);
		merge(source,temple,start,mid,end);
	}	
}// 递归调用

void merge (int source[], int temple[], int start, int mid, int end)
{
	int i, j, k;
	i = start;
	j = mid+1;
	k = start;
	while (i <= mid && j <= end)
	{
		if (source[i] < source[j])
			temple[k++] = source[i++];
		else
			temple[k++] = source[j++];	
	}// 合并数组
	while (i <= mid)
		temple[k++] = source[i++];
	while (j <= end)
		temple[k++] = source[j++];
	// 将剩余部分合并
	for (int i = start; i <= end; i++)
		source[i] = temple[i];
	// 覆盖原数组
}
python:

# -*- coding:utf-8 -*-
def merge_sort(source):
    if len(source) > 1:
        mid = int(len(source) / 2)
        left = merge_sort(source[:mid])
        right = merge_sort(source[mid:])
        return merge(left, right)
    #   切分之后数组大于一,接着切分
    return source
    #   切分完成,返回


def merge(left, right):
    result = []
    r, l = 0, 0
    while r < len(right) and l < len(left):
        if right[r] < left[l]:
            result.append(right[r])
            r += 1
        else:
            result.append(left[l])
            l += 1
    #   两个数组每个元素比较大小,然后将较小的元素放到result,循环结束条件是较短的那个数组,全部放到result
    result += right[r:]
    result += left[l:]
    #   将较长的那个数组剩余的部分放到result
    return result
    #   返回result

print merge_sort([3, 8, 9, 10, 6, 1])

通过伪代码和实际编程语言的比较:其实可以发现两种语言实现整个算法还是有一点区别的,比如说python可以是完全按照伪代码编写的内容,分步递归,从小数组合并变成大数组,而c++实际只有两个数组,temple只是一步步合并,然后最后变成source,其实也是用temple覆盖source。


评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值