Movatterモバイル変換


[0]ホーム

URL:


Jump to content
WikipediaThe Free Encyclopedia
Search

Merge sort

From Wikipedia, the free encyclopedia
Divide and conquer sorting algorithm
Merge sort
An example of merge sort. First, divide the list into the smallest unit (1 element), then compare each element with the adjacent list to sort and merge the two adjacent lists. Finally, all the elements are sorted and merged.
ClassSorting algorithm
Data structureArray
Worst-caseperformanceO(nlogn){\displaystyle O(n\log n)}
Best-caseperformanceΩ(nlogn){\displaystyle \Omega (n\log n)} typical,Ω(n){\displaystyle \Omega (n)} natural variant
AverageperformanceΘ(nlogn){\displaystyle \Theta (n\log n)}
Worst-casespace complexityO(n){\displaystyle O(n)} total withO(n){\displaystyle O(n)} auxiliary,O(1){\displaystyle O(1)} auxiliary with linked lists[1]

Incomputer science,merge sort (also commonly spelled asmergesort and asmerge-sort[2]) is an efficient, general-purpose, andcomparison-basedsorting algorithm. Most implementations of merge sort arestable, which means that the relative order of equal elements is the same between the input and output. Merge sort is adivide-and-conquer algorithm that was invented byJohn von Neumann in 1945.[3] A detailed description and analysis of bottom-up merge sort appeared in a report byGoldstine and von Neumann as early as 1948.[4]

Algorithm

[edit]

Conceptually, a merge sort works as follows:

  1. Divide the unsorted list inton sub-lists, each containing one element (a list of one element is considered sorted).
  2. Repeatedlymerge sublists to produce new sorted sublists until there is only one sublist remaining. This will be the sorted list.

Top-down implementation

[edit]

ExampleC-like code using indices for top-down merge sort algorithm that recursively splits the list (calledruns in this example) into sublists until sublist size is 1, then merges those sublists to produce a sorted list. The copy back step is avoided with alternating the direction of the merge with each level of recursion (except for an initial one-time copy, that can be avoided too).

As a simple example, consider an array with two elements. The elements are copied toB[], then merged back toA[]. If there are four elements, when the bottom of the recursion level is reached, single element runs fromA[] are merged toB[], and then at the next higher level of recursion, those two-element runs are merged toA[]. This pattern continues with each level of recursion.

// Array A[] has the items to sort; array B[] is a work array.voidTopDownMergeSort(A[],B[],n){CopyArray(A,0,n,B);// one time copy of A[] to B[]TopDownSplitMerge(A,0,n,B);// sort data from B[] into A[]}// Split A[] into 2 runs, sort both runs into B[], merge both runs from B[] to A[]// iBegin is inclusive; iEnd is exclusive (A[iEnd] is not in the set).voidTopDownSplitMerge(B[],iBegin,iEnd,A[]){if(iEnd-iBegin<=1)// if run size == 1return;//   consider it sorted// split the run longer than 1 item into halvesiMiddle=(iEnd+iBegin)/2;// iMiddle = mid point// recursively sort both runs from array A[] into B[]TopDownSplitMerge(A,iBegin,iMiddle,B);// sort the left  runTopDownSplitMerge(A,iMiddle,iEnd,B);// sort the right run// merge the resulting runs from array B[] into A[]TopDownMerge(B,iBegin,iMiddle,iEnd,A);}//  Left source half is A[ iBegin:iMiddle-1].// Right source half is A[iMiddle:iEnd-1   ].// Result is            B[ iBegin:iEnd-1   ].voidTopDownMerge(B[],iBegin,iMiddle,iEnd,A[]){i=iBegin,j=iMiddle;// While there are elements in the left or right runs...for(k=iBegin;k<iEnd;k++){// If left run head exists and is <= existing right run head.if(i<iMiddle&&(j>=iEnd||A[i]<=A[j])){B[k]=A[i];i=i+1;}else{B[k]=A[j];j=j+1;}}}voidCopyArray(A[],iBegin,iEnd,B[]){for(k=iBegin;k<iEnd;k++)B[k]=A[k];}

Sorting the entire array is accomplished byTopDownMergeSort(A, B, length(A)).

Bottom-up implementation

[edit]

Example C-like code using indices for bottom-up merge sort algorithm which treats the list as an array ofn sublists (calledruns in this example) of size 1, and iteratively merges sub-lists back and forth between two buffers:

// array A[] has the items to sort; array B[] is a work arrayvoidBottomUpMergeSort(A[],B[],n){// Each 1-element run in A is already "sorted".// Make successively longer sorted runs of length 2, 4, 8, 16... until the whole array is sorted.for(width=1;width<n;width=2*width){// Array A is full of runs of length width.for(i=0;i<n;i=i+2*width){// Merge two runs: A[i:i+width-1] and A[i+width:i+2*width-1] to B[]// or copy A[i:n-1] to B[] ( if (i+width >= n) )BottomUpMerge(A,i,min(i+width,n),min(i+2*width,n),B);}// Now work array B is full of runs of length 2*width.// Copy array B to array A for the next iteration.// A more efficient implementation would swap the roles of A and B.CopyArray(B,A,n);// Now array A is full of runs of length 2*width.}}//  Left run is A[iLeft :iRight-1].// Right run is A[iRight:iEnd-1  ].voidBottomUpMerge(A[],iLeft,iRight,iEnd,B[]){i=iLeft,j=iRight;// While there are elements in the left or right runs...for(k=iLeft;k<iEnd;k++){// If left run head exists and is <= existing right run head.if(i<iRight&&(j>=iEnd||A[i]<=A[j])){B[k]=A[i];i=i+1;}else{B[k]=A[j];j=j+1;}}}voidCopyArray(B[],A[],n){for(i=0;i<n;i++)A[i]=B[i];}

Top-down implementation using lists

[edit]

Pseudocode for top-down merge sort algorithm which recursively divides the input list into smaller sublists until the sublists are trivially sorted, and then merges the sublists while returning up the call chain.

function merge_sort(list m)is    //Base case. A list of zero or one elements is sorted, by definition.if length of m ≤ 1thenreturn m    //Recursive case. First, divide the list into equal-sized sublists    //consisting of the first half and second half of the list.    //This assumes lists start at index 0.var left := empty listvar right := empty listfor each xwith index iin mdoif i < (length of m)/2then            add x to leftelse            add x to right    //Recursively sort both sublists.    left := merge_sort(left)    right := merge_sort(right)    // Then merge the now-sorted sublists.return merge(left, right)

In this example, themerge function merges the left and right sublists.

function merge(left, right)isvar result := empty listwhile left is not emptyand right is not emptydoif first(left) ≤ first(right)then            append first(left) to result            left := rest(left)else            append first(right) to result            right := rest(right)    //Either left or right may have elements left; consume them.    //(Only one of the following loops will actually be entered.)while left is not emptydo        append first(left) to result        left := rest(left)while right is not emptydo        append first(right) to result        right := rest(right)return result

Bottom-up implementation using lists

[edit]

Pseudocode for bottom-up merge sort algorithm which uses a small fixed size array of references to nodes, wherearray[i] is either a reference to a list of size 2i ornil.node is a reference or pointer to a node. Themerge() function would be similar to the one shown in the top-down merge lists example, it merges two already sorted lists, and handles empty lists. In this case,merge() would usenode for its input parameters and return value.

function merge_sort(node head)is    // return if empty listif head = nilthenreturn nilvarnode array[32]; initially all nilvarnode resultvarnode nextvarint  i    result := head    // merge nodes into arraywhile result ≠ nildo        next := result.next;        result.next := nilfor (i = 0; (i < 32) && (array[i] ≠ nil); i += 1)do            result := merge(array[i], result)            array[i] := nil        // do not go past end of arrayif i = 32then            i -= 1        array[i] := result        result := next    // merge array into single list    result := nilfor (i = 0; i < 32; i += 1)do        result := merge(array[i], result)return result

Top-down implementation in a declarative style

[edit]

Haskell-like pseudocode, showing how merge sort can be implemented in such a language using constructs and ideas fromfunctional programming.

mergeSort::Orda=>[a]->[a]mergeSort[]=[]mergeSort[x]=[x]mergeSortxs=merge(mergeSortl,mergeSortr)where(l,r)=splitAt(lengthxs`div`2)xsmerge::Orda=>([a],[a])->[a]merge([],xs)=xsmerge(xs,[])=xsmerge(x:xs,y:ys)|x<=y=x:merge(xs,y:ys)|otherwise=y:merge(x:xs,ys)

Analysis

[edit]
A recursive merge sort algorithm used to sort an array of 7 integer values. These are the steps a human would take to emulate merge sort (top-down).

In sortingn objects, merge sort has anaverage andworst-case performance ofO(n log n) comparisons. If the running time (number of comparisons) of merge sort for a list of lengthn isT(n), then therecurrence relationT(n) = 2T(n/2) +n follows from the definition of the algorithm (apply the algorithm to two lists of half the size of the original list, and add then steps taken to merge the resulting two lists).[5] The closed form follows from themaster theorem for divide-and-conquer recurrences.

The number of comparisons made by merge sort in the worst case is given by thesorting numbers. These numbers are equal to or slightly smaller than (n ⌈lg n⌉ − 2⌈lg n + 1), which is between (n lg nn + 1) and (n lg n +n + O(lg n)).[6] Merge sort's best case takes about half as many iterations as its worst case.[7]

For largen and a randomly ordered input list, merge sort's expected (average) number of comparisons approachesα·n fewer than the worst case, whereα=1+k=012k+10.2645.{\displaystyle \alpha =-1+\sum _{k=0}^{\infty }{\frac {1}{2^{k}+1}}\approx 0.2645.}

In theworst case, merge sort uses approximately 39% fewer comparisons thanquicksort does in itsaverage case, and in terms of moves, merge sort's worst case complexity isO(n log n) - the same complexity as quicksort's best case.[7]

Merge sort is more efficient than quicksort for some types of lists if the data to be sorted can only be efficiently accessed sequentially, and is thus popular in languages such asLisp, where sequentially accessed data structures are very common. Unlike some (efficient) implementations of quicksort, merge sort is a stable sort.

Merge sort's most common implementation does not sort in place;[8] therefore, the memory size of the input must be allocated for the sorted output to be stored in (see below for variations that need onlyn/2 extra spaces).

Natural merge sort

[edit]

A natural merge sort is similar to a bottom-up merge sort except that any naturally occurringruns (sorted sequences) in the input are exploited. Both monotonic and bitonic (alternating up/down) runs may be exploited, with lists (or equivalently tapes or files) being convenient data structures (used asFIFO queues orLIFO stacks).[9] In the bottom-up merge sort, the starting point assumes each run is one item long. In practice, random input data will have many short runs that just happen to be sorted. In the typical case, the natural merge sort may not need as many passes because there are fewer runs to merge. In the best case, the input is already sorted (i.e., is one run), so the natural merge sort need only make one pass through the data. In many practical cases, long natural runs are present, and for that reason natural merge sort is exploited as the key component ofTimsort. Example:

Start       :  3  4  2  1  7  5  8  9  0  6Select runs : (3  4)(2)(1  7)(5  8  9)(0  6)Merge       : (2  3  4)(1  5  7  8  9)(0  6)Merge       : (1  2  3  4  5  7  8  9)(0  6)Merge       : (0  1  2  3  4  5  6  7  8  9)

Formally, the natural merge sort is said to beRuns-optimal, whereRuns(L){\displaystyle {\mathtt {Runs}}(L)} is the number of runs inL{\displaystyle L}, minus one.

Tournament replacement selection sorts are used to gather the initial runs for external sorting algorithms.

Ping-pong merge sort

[edit]

Instead of merging two blocks at a time, a ping-pong merge merges four blocks at a time. The four sorted blocks are merged simultaneously to auxiliary space into two sorted blocks, then the two sorted blocks are merged back to main memory. Doing so omits the copy operation and reduces the total number of moves by half. An early public domain implementation of a four-at-once merge was by WikiSort in 2014, the method was later that year described as an optimization forpatience sorting and named a ping-pong merge.[10][11] Quadsort implemented the method in 2020 and named it a quad merge.[12]

In-place merge sort

[edit]

One drawback of merge sort, when implemented on arrays, is itsO(n) working memory requirement. Several methods to reduce memory or make merge sort fullyin-place have been suggested:

  • Kronrod (1969) suggested an alternative version of merge sort that uses constant additional space.
  • Katajainenet al. present an algorithm that requires a constant amount of working memory: enough storage space to hold one element of the input array, and additional space to holdO(1) pointers into the input array. They achieve anO(n logn) time bound with small constants, but their algorithm is not stable.[13]
  • Several attempts have been made at producing anin-place merge algorithm that can be combined with a standard (top-down or bottom-up) merge sort to produce an in-place merge sort. In this case, the notion of "in-place" can be relaxed to mean "taking logarithmic stack space", because standard merge sort requires that amount of space for its own stack usage. It was shown by Geffertet al. that in-place, stable merging is possible inO(n logn) time using a constant amount of scratch space, but their algorithm is complicated and has high constant factors: merging arrays of lengthn andm can take5n + 12m +o(m) moves.[14] This high constant factor and complicated in-place algorithm was made simpler and easier to understand. Bing-Chao Huang and Michael A. Langston[15] presented a straightforward linear time algorithmpractical in-place merge to merge a sorted list using fixed amount of additional space. They both have used the work of Kronrod and others. It merges in linear time and constant extra space. The algorithm takes little more average time than standard merge sort algorithms, free to exploitO(n) temporary extra memory cells, by less than a factor of two. Though the algorithm is much faster in a practical way, it is unstable for some lists. But using similar concepts, they have been able to solve this problem. Other in-place algorithms include SymMerge, which takesO((n +m) log (n +m)) time in total and is stable.[16] Plugging such an algorithm into merge sort increases its complexity to the non-linearithmic, but stillquasilinear,O(n (logn)2).
  • Many applications ofexternal sorting use a form of merge sorting where the input gets split up to a higher number of sublists, ideally to a number for which merging them still makes the currently processed set ofpages fit into main memory.
  • A modern stable, linear, and in-place merge variant isblock merge sort, which creates a section of unique values to use as swap space.
  • The space overhead can be reduced toO(√n) by using binary searches and rotations.[17] This method is employed by the C++ STL library and quadsort.[12]
  • An alternative to reduce the copying into multiple lists is to associate a new field of information with each key (the elements inm are called keys). This field will be used to link the keys and any associated information together in a sorted list (a key and its related information is called a record). Then the merging of the sorted lists proceeds by changing the link values; no records need to be moved at all. A field which contains only a link will generally be smaller than an entire record so less space will also be used. This is a standard sorting technique, not restricted to merge sort.
  • A simple way to reduce the space overhead ton/2 is to maintainleft andright as a combined structure, copy only theleft part ofm into temporary space, and to direct themerge routine to place the merged output intom. With this version it is better to allocate the temporary space outside themerge routine, so that only one allocation is needed. The excessive copying mentioned previously is also mitigated, since the last pair of lines before thereturn result statement (function mergein the pseudo code above) become superfluous.

Use with tape drives

[edit]
Merge sort type algorithms allowed large data sets to be sorted on early computers that had small random access memories by modern standards. Records were stored onmagnetic tape and processed on banks of magnetic tape drives, such as theseIBM 729s.

Anexternal merge sort is practical to run usingdisk ortape drives when the data to be sorted is too large to fit intomemory.External sorting explains how merge sort is implemented with disk drives. A typical tape drive sort uses four tape drives. All I/O is sequential (except for rewinds at the end of each pass). A minimal implementation can get by with just two record buffers and a few program variables.

Naming the four tape drives as A, B, C, D, with the original data on A, and using only two record buffers, the algorithm is similar tothe bottom-up implementation, using pairs of tape drives instead of arrays in memory. The basic algorithm can be described as follows:

  1. Merge pairs of records from A; writing two-record sublists alternately to C and D.
  2. Merge two-record sublists from C and D into four-record sublists; writing these alternately to A and B.
  3. Merge four-record sublists from A and B into eight-record sublists; writing these alternately to C and D
  4. Repeat until you have one list containing all the data, sorted—in log2(n) passes.

Instead of starting with very short runs, usually ahybrid algorithm is used, where the initial pass will read many records into memory, do an internal sort to create a long run, and then distribute those long runs onto the output set. The step avoids many early passes. For example, an internal sort of 1024 records will save nine passes. The internal sort is often large because it has such a benefit. In fact, there are techniques that can make the initial runs longer than the available internal memory. One of them, the Knuth's 'snowplow' (based on abinary min-heap), generates runs twice as long (on average) as a size of memory used.[18]

With some overhead, the above algorithm can be modified to use three tapes.O(n logn) running time can also be achieved using twoqueues, or astack and a queue, or three stacks. In the other direction, usingk > two tapes (andO(k) items in memory), we can reduce the number of tape operations inO(logk) times by using ak/2-way merge.

A more sophisticated merge sort that optimizes tape (and disk) drive usage is thepolyphase merge sort.

Optimizing merge sort

[edit]
Tiled merge sort applied to an array of random integers. The horizontal axis is the array index and the vertical axis is the integer.

On modern computers,locality of reference can be of paramount importance insoftware optimization, because multilevelmemory hierarchies are used.Cache-aware versions of the merge sort algorithm, whose operations have been specifically chosen to minimize the movement of pages in and out of a machine's memory cache, have been proposed. For example, thetiled merge sort algorithm stops partitioning subarrays when subarrays of size S are reached, where S is the number of data items fitting into a CPU's cache. Each of these subarrays is sorted with an in-place sorting algorithm such asinsertion sort, to discourage memory swaps, and normal merge sort is then completed in the standard recursive fashion. This algorithm has demonstrated better performance[example needed] on machines that benefit from cache optimization. (LaMarca & Ladner 1997)

Parallel merge sort

[edit]

Merge sort parallelizes well due to the use of thedivide-and-conquer method. Several different parallel variants of the algorithm have been developed over the years. Some parallel merge sort algorithms are strongly related to the sequential top-down merge algorithm while others have a different general structure and use theK-way merge method.

Merge sort with parallel recursion

[edit]

The sequential merge sort procedure can be described in two phases, the divide phase and the merge phase. The first consists of many recursive calls that repeatedly perform the same division process until the subsequences are trivially sorted (containing one or no element). An intuitive approach is the parallelization of those recursive calls.[19] Following pseudocode describes the merge sort with parallel recursion using thefork and join keywords:

//Sort elements lo through hi (exclusive) of array A.algorithm mergesort(A, lo, hi)isif lo+1 < hithen  //Two or more elements.        mid := ⌊(lo + hi) / 2⌋fork mergesort(A, lo, mid)        mergesort(A, mid, hi)join        merge(A, lo, mid, hi)

This algorithm is the trivial modification of the sequential version and does not parallelize well. Therefore, its speedup is not very impressive. It has aspan ofΘ(n){\displaystyle \Theta (n)}, which is only an improvement ofΘ(logn){\displaystyle \Theta (\log n)} compared to the sequential version (seeIntroduction to Algorithms). This is mainly due to the sequential merge method, as it is the bottleneck of the parallel executions.

Merge sort with parallel merging

[edit]
Main article:Merge algorithm § Parallel merge

Better parallelism can be achieved by using a parallelmerge algorithm.Cormen et al. present a binary variant that merges two sorted sub-sequences into one sorted output sequence.[19]

In one of the sequences (the longer one if unequal length), the element of the middle index is selected. Its position in the other sequence is determined in such a way that this sequence would remain sorted if this element were inserted at this position. Thus, one knows how many other elements from both sequences are smaller and the position of the selected element in the output sequence can be calculated. For the partial sequences of the smaller and larger elements created in this way, the merge algorithm is again executed in parallel until the base case of the recursion is reached.

The following pseudocode shows the modified parallel merge sort method using the parallel merge algorithm (adopted from Cormen et al.).

/** * A: Input array * B: Output array * lo: lower bound * hi: upper bound * off: offset */algorithm parallelMergesort(A, lo, hi, B, off)is    len := hi - lo + 1if len == 1then        B[off] := A[lo]else let T[1..len] be a new array        mid := ⌊(lo + hi) / 2⌋         mid' := mid - lo + 1fork parallelMergesort(A, lo, mid, T, 1)        parallelMergesort(A, mid + 1, hi, T, mid' + 1)join         parallelMerge(T, 1, mid', mid' + 1, len, B, off)

In order to analyze arecurrence relation for the worst case span, the recursive calls of parallelMergesort have to be incorporated only once due to their parallel execution, obtaining

Tsort(n)=Tsort(n2)+Tmerge(n)=Tsort(n2)+Θ(log(n)2).{\displaystyle T_{\infty }^{\text{sort}}(n)=T_{\infty }^{\text{sort}}\left({\frac {n}{2}}\right)+T_{\infty }^{\text{merge}}(n)=T_{\infty }^{\text{sort}}\left({\frac {n}{2}}\right)+\Theta \left(\log(n)^{2}\right).}

For detailed information about the complexity of the parallel merge procedure, seeMerge algorithm.

The solution of this recurrence is given by

Tsort=Θ(log(n)3).{\displaystyle T_{\infty }^{\text{sort}}=\Theta \left(\log(n)^{3}\right).}

This parallel merge algorithm reaches a parallelism ofΘ(n(logn)2){\textstyle \Theta \left({\frac {n}{(\log n)^{2}}}\right)}, which is much higher than the parallelism of the previous algorithm. Such a sort can perform well in practice when combined with a fast stable sequential sort, such asinsertion sort, and a fast sequential merge as a base case for merging small arrays.[20]

Parallel multiway merge sort

[edit]

It seems arbitrary to restrict the merge sort algorithms to a binary merge method, since there are usually p > 2 processors available. A better approach may be to use aK-way merge method, a generalization of binary merge, in whichk{\displaystyle k} sorted sequences are merged. This merge variant is well suited to describe a sorting algorithm on aPRAM.[21][22]

Basic idea

[edit]
The parallel multiway mergesort process on four processorst0{\displaystyle t_{0}} tot3{\displaystyle t_{3}}.

Given an unsorted sequence ofn{\displaystyle n} elements, the goal is to sort the sequence withp{\displaystyle p} availableprocessors. These elements are distributed equally among all processors and sorted locally using a sequentialSorting algorithm. Hence, the sequence consists of sorted sequencesS1,...,Sp{\displaystyle S_{1},...,S_{p}} of lengthnp{\textstyle \lceil {\frac {n}{p}}\rceil }. For simplification letn{\displaystyle n} be a multiple ofp{\displaystyle p}, so that|Si|=np{\textstyle \left\vert S_{i}\right\vert ={\frac {n}{p}}} fori=1,...,p{\displaystyle i=1,...,p}.

These sequences will be used to perform a multisequence selection/splitter selection. Forj=1,...,p{\displaystyle j=1,...,p}, the algorithm determines splitter elementsvj{\displaystyle v_{j}} with global rankk=jnp{\textstyle k=j{\frac {n}{p}}}. Then the corresponding positions ofv1,...,vp{\displaystyle v_{1},...,v_{p}} in each sequenceSi{\displaystyle S_{i}} are determined withbinary search and thus theSi{\displaystyle S_{i}} are further partitioned intop{\displaystyle p} subsequencesSi,1,...,Si,p{\displaystyle S_{i,1},...,S_{i,p}} withSi,j:={xSi|rank(vj1)<rank(x)rank(vj)}{\textstyle S_{i,j}:=\{x\in S_{i}|rank(v_{j-1})<rank(x)\leq rank(v_{j})\}}.

Furthermore, the elements ofS1,i,...,Sp,i{\displaystyle S_{1,i},...,S_{p,i}} are assigned to processori{\displaystyle i}, means all elements between rank(i1)np{\textstyle (i-1){\frac {n}{p}}} and rankinp{\textstyle i{\frac {n}{p}}}, which are distributed over allSi{\displaystyle S_{i}}. Thus, each processor receives a sequence of sorted sequences. The fact that the rankk{\displaystyle k} of the splitter elementsvi{\displaystyle v_{i}} was chosen globally, provides two important properties: On the one hand,k{\displaystyle k} was chosen so that each processor can still operate onn/p{\textstyle n/p} elements after assignment. The algorithm is perfectlyload-balanced. On the other hand, all elements on processori{\displaystyle i} are less than or equal to all elements on processori+1{\displaystyle i+1}. Hence, each processor performs thep-way merge locally and thus obtains a sorted sequence from its sub-sequences. Because of the second property, no furtherp-way-merge has to be performed, the results only have to be put together in the order of the processor number.

Multi-sequence selection

[edit]

In its simplest form, givenp{\displaystyle p} sorted sequencesS1,...,Sp{\displaystyle S_{1},...,S_{p}} distributed evenly onp{\displaystyle p} processors and a rankk{\displaystyle k}, the task is to find an elementx{\displaystyle x} with a global rankk{\displaystyle k} in the union of the sequences. Hence, this can be used to divide eachSi{\displaystyle S_{i}} in two parts at a splitter indexli{\displaystyle l_{i}}, where the lower part contains only elements which are smaller thanx{\displaystyle x}, while the elements bigger thanx{\displaystyle x} are located in the upper part.

The presentedsequential algorithm returns the indices of the splits in each sequence, e.g. the indicesli{\displaystyle l_{i}} in sequencesSi{\displaystyle S_{i}} such thatSi[li]{\displaystyle S_{i}[l_{i}]} has a global rank less thank{\displaystyle k} andrank(Si[li+1])k{\displaystyle \mathrm {rank} \left(S_{i}[l_{i}+1]\right)\geq k}.[23]

algorithm msSelect(S : Array of sorted Sequences [S_1,..,S_p], k : int)isfor i = 1to pdo (l_i, r_i) = (0, |S_i|-1)while there exists i: l_i < r_ido// pickPivot Element in S_j[l_j], .., S_j[r_j], chose random j uniformlyv := pickPivot(S, l, r)for i = 1to pdo     m_i = binarySearch(v, S_i[l_i, r_i]) // sequentiallyif m_1 + ... + m_p >= kthen // m_1+ ... + m_p is the global rank of v    r := m  // vector assignmentelse    l := mreturn l

For the complexity analysis thePRAM model is chosen. If the data is evenly distributed over allp{\displaystyle p}, the p-fold execution of thebinarySearch method has a running time ofO(plog(n/p)){\displaystyle {\mathcal {O}}\left(p\log \left(n/p\right)\right)}. The expected recursion depth isO(log(i|Si|))=O(log(n)){\displaystyle {\mathcal {O}}\left(\log \left(\textstyle \sum _{i}|S_{i}|\right)\right)={\mathcal {O}}(\log(n))} as in the ordinaryQuickselect. Thus the overall expected running time isO(plog(n/p)log(n)){\displaystyle {\mathcal {O}}\left(p\log(n/p)\log(n)\right)}.

Applied on the parallel multiway merge sort, this algorithm has to be invoked in parallel such that all splitter elements of rankinp{\textstyle i{\frac {n}{p}}} fori=1,..,p{\displaystyle i=1,..,p} are found simultaneously. These splitter elements can then be used to partition each sequence inp{\displaystyle p} parts, with the same total running time ofO(plog(n/p)log(n)){\displaystyle {\mathcal {O}}\left(p\,\log(n/p)\log(n)\right)}.

Pseudocode

[edit]

Below, the complete pseudocode of the parallel multiway merge sort algorithm is given. We assume that there is a barrier synchronization before and after the multisequence selection such that every processor can determine the splitting elements and the sequence partition properly.

/** * d: Unsorted Array of Elements * n: Number of Elements * p: Number of Processors * return Sorted Array */algorithm parallelMultiwayMergesort(d : Array, n : int, p : int)is    o :=new Array[0, n]                         // the output arrayfor i = 1to pdo in parallel                // each processor in parallel        S_i := d[(i-1) * n/p, i * n/p]          // Sequence of length n/psort(S_i)                                // sort locallysynchv_i := msSelect([S_1,...,S_p], i * n/p)          // element with global rank i * n/psynch(S_i,1, ..., S_i,p) := sequence_partitioning(si, v_1, ..., v_p) // split s_i into subsequences    o[(i-1) * n/p, i * n/p] := kWayMerge(s_1,i, ..., s_p,i)  // merge and assign to output arrayreturn o

Analysis

[edit]

Firstly, each processor sorts the assignedn/p{\displaystyle n/p} elements locally using a sorting algorithm with complexityO(n/plog(n/p)){\displaystyle {\mathcal {O}}\left(n/p\;\log(n/p)\right)}. After that, the splitter elements have to be calculated in timeO(plog(n/p)log(n)){\displaystyle {\mathcal {O}}\left(p\,\log(n/p)\log(n)\right)}. Finally, each group ofp{\displaystyle p} splits have to be merged in parallel by each processor with a running time ofO(log(p)n/p){\displaystyle {\mathcal {O}}(\log(p)\;n/p)} using a sequentialp-way merge algorithm. Thus, the overall running time is given by

O(nplog(np)+plog(np)log(n)+nplog(p)){\displaystyle {\mathcal {O}}\left({\frac {n}{p}}\log \left({\frac {n}{p}}\right)+p\log \left({\frac {n}{p}}\right)\log(n)+{\frac {n}{p}}\log(p)\right)}.

Practical adaption and application

[edit]

The multiway merge sort algorithm is very scalable through its high parallelization capability, which allows the use of many processors. This makes the algorithm a viable candidate for sorting large amounts of data, such as those processed incomputer clusters. Also, since in such systems memory is usually not a limiting resource, the disadvantage ofspace complexity of merge sort is negligible. However, other factors become important in such systems, which are not taken into account when modelling on aPRAM. Here, the following aspects need to be considered:Memory hierarchy, when the data does not fit into the processors cache, or the communication overhead of exchanging data between processors, which could become a bottleneck when the data can no longer be accessed via the shared memory.

Sanders et al. have presented in their paper abulk synchronous parallel algorithm for multilevel multiway mergesort, which dividesp{\displaystyle p} processors intor{\displaystyle r} groups of sizep{\displaystyle p'}. All processors sort locally first. Unlike single level multiway mergesort, these sequences are then partitioned intor{\displaystyle r} parts and assigned to the appropriate processor groups. These steps are repeated recursively in those groups. This reduces communication and especially avoids problems with many small messages. The hierarchical structure of the underlying real network can be used to define the processor groups (e.g.racks,clusters,...).[22]

Further variants

[edit]

Merge sort was one of the first sorting algorithms where optimal speed up was achieved, with Richard Cole using a clever subsampling algorithm to ensureO(1) merge.[24] Other sophisticated parallel sorting algorithms can achieve the same or better time bounds with a lower constant. For example, in 1991 David Powers described a parallelizedquicksort (and a relatedradix sort) that can operate inO(logn) time on aCRCWparallel random-access machine (PRAM) withn processors by performing partitioning implicitly.[25] Powers further shows that a pipelined version of Batcher'sBitonic Mergesort atO((logn)2) time on a butterflysorting network is in practice actually faster than hisO(logn) sorts on a PRAM, and he provides detailed discussion of the hidden overheads in comparison, radix and parallel sorting.[26]

Comparison with other sort algorithms

[edit]

Althoughheapsort has the same time bounds as merge sort, it requires only Θ(1) auxiliary space instead of merge sort's Θ(n). On typical modern architectures, efficientquicksort implementations generally outperform merge sort for sorting RAM-based arrays.[27] Quicksorts are preferred when the data size to be sorted is lesser, since the space complexity for quicksort is O(logn), it helps in utilizing cache locality better than merge sort (with space complexity O(n)).[27] On the other hand, merge sort is a stable sort and is more efficient at handling slow-to-access sequential media. Merge sort is often the best choice for sorting alinked list: in this situation it is relatively easy to implement a merge sort in such a way that it requires only Θ(1) extra space, and the slow random-access performance of a linked list makes some other algorithms (such as quicksort) perform poorly, and others (such as heapsort) completely impossible.

As ofPerl 5.8, merge sort is its default sorting algorithm (it was quicksort in previous versions of Perl).[28] InJava, theArrays.sort() methods use merge sort or a tuned quicksort depending on the datatypes and for implementation efficiency switch toinsertion sort when fewer than seven array elements are being sorted.[29] TheLinux kernel uses merge sort for its linked lists.[30]

Timsort, a tuned hybrid of merge sort and insertion sort is used in variety of software platforms and languages including the Java and Android platforms[31] and is used byPython since version 2.3; since version 3.11, Timsort's merge policy was updated toPowersort.[32]

References

[edit]
  1. ^Skiena (2008, p. 122)
  2. ^Goodrich, Michael T.; Tamassia, Roberto; Goldwasser, Michael H. (2013). "Chapter 12 - Sorting and Selection".Data structures and algorithms in Python (1st ed.). Hoboken [NJ]: Wiley. pp. 538–549.ISBN 978-1-118-29027-9.
  3. ^Knuth (1998, p. 158)
  4. ^Katajainen, Jyrki; Träff, Jesper Larsson (March 1997). "Algorithms and Complexity".Proceedings of the 3rd Italian Conference on Algorithms and Complexity. Italian Conference on Algorithms and Complexity. Lecture Notes in Computer Science. Vol. 1203. Rome. pp. 217–228.CiteSeerX 10.1.1.86.3154.doi:10.1007/3-540-62592-5_74.ISBN 978-3-540-62592-6.
  5. ^Cormen et al. (2009, p. 36)
  6. ^The worst case number given here does not agree with that given inKnuth'sArt of Computer Programming, Vol 3. The discrepancy is due to Knuth analyzing a variant implementation of merge sort that is slightly sub-optimal
  7. ^abJayalakshmi, N. (2007).Data structure using C++. Firewall Media.ISBN 978-81-318-0020-1.OCLC 849900742.
  8. ^Cormen et al. (2009, p. 151)
  9. ^Powers, David M. W.; McMahon, Graham B. (1983). "A compendium of interesting prolog programs". DCS Technical Report 8313 (Report). Department of Computer Science, University of New South Wales.
  10. ^"WikiSort. Fast and stable sort algorithm that uses O(1) memory. Public domain".GitHub. 14 Apr 2014.
  11. ^Chandramouli, Badrish; Goldstein, Jonathan (2014).Patience is a Virtue: Revisiting Merge and Sort on Modern Processors(PDF). SIGMOD/PODS.
  12. ^ab"Quadsort is a branchless stable adaptive merge sort".GitHub. 8 Jun 2022.
  13. ^Katajainen, Pasanen & Teuhola (1996)
  14. ^Geffert, Viliam; Katajainen, Jyrki; Pasanen, Tomi (2000)."Asymptotically efficient in-place merging".Theoretical Computer Science.237 (1–2):159–181.doi:10.1016/S0304-3975(98)00162-5.
  15. ^Huang, Bing-Chao; Langston, Michael A. (March 1988)."Practical In-Place Merging".Communications of the ACM.31 (3):348–352.doi:10.1145/42392.42403.S2CID 4841909.
  16. ^Kim, Pok-Son; Kutzner, Arne (2004). "Stable Minimum Storage Merging by Symmetric Comparisons".Algorithms – ESA 2004. European Symp. Algorithms. Lecture Notes in Computer Science. Vol. 3221. pp. 714–723.CiteSeerX 10.1.1.102.4612.doi:10.1007/978-3-540-30140-0_63.ISBN 978-3-540-23025-0.
  17. ^Kim, Pok-Son; Kutzner, Arne (1 Sep 2003)."A New Method for Efficient in-Place Merging".Proceedings of the Korean Institute of Intelligent Systems Conference:392–394.
  18. ^Ferragina, Paolo (2009–2019),"5. Sorting Atomic Items"(PDF),The magic of Algorithms!, p. 5-4,archived(PDF) from the original on 2021-05-12
  19. ^abCormen et al. (2009, pp. 797–805)
  20. ^Victor J. Duvanenko "Parallel Merge Sort" Dr. Dobb's Journal & blog[1] and GitHub repo C++ implementation[2]
  21. ^Peter Sanders; Johannes Singler (2008)."LectureParallel algorithms"(PDF). Retrieved2020-05-02.
  22. ^abAxtmann, Michael; Bingmann, Timo; Sanders, Peter; Schulz, Christian (2015)."Practical Massively Parallel Sorting".Proceedings of the 27th ACM symposium on Parallelism in Algorithms and Architectures. pp. 13–23.arXiv:1410.6754.doi:10.1145/2755573.2755595.ISBN 9781450335881.S2CID 18249978.
  23. ^Peter Sanders (2019)."LectureParallel algorithms"(PDF). Retrieved2020-05-02.
  24. ^Cole, Richard (August 1988). "Parallel merge sort".SIAM J. Comput.17 (4):770–785.CiteSeerX 10.1.1.464.7118.doi:10.1137/0217049.S2CID 2416667.
  25. ^Powers, David M. W. (1991)."Parallelized Quicksort and Radixsort with Optimal Speedup".Proceedings of International Conference on Parallel Computing Technologies, Novosibirsk. Archived fromthe original on 2007-05-25.
  26. ^Powers, David M. W. (January 1995).Parallel Unification: Practical Complexity(PDF). Australasian Computer Architecture Workshop Flinders University.
  27. ^abOladipupo, Esau Taiwo; Abikoye, Oluwakemi Christianah (2020)."Comparison of quicksort and mergesort".Third International Conference on Computing and Network Communications (CoCoNet 2019).2020 (2020): 9. Retrieved2024-01-20 – via Elsevier Science Direct.
  28. ^"Sort – Perl 5 version 8.8 documentation". Retrieved2020-08-23.
  29. ^coleenp (22 Feb 2019)."src/java.base/share/classes/java/util/Arrays.java @ 53904:9c3fe09f69bc".OpenJDK.
  30. ^linux kernel /lib/list_sort.c
  31. ^University of Liverpool (2022-12-12)."Computer scientists improve Python sorting function".Tech Xplore. Retrieved2024-05-08.
  32. ^James, Mike (2022-12-21)."Python Now Uses Powersort".i-programmer.info. Retrieved2024-05-08.

Bibliography

[edit]

External links

[edit]
The WikibookAlgorithm implementation has a page on the topic of:Merge sort
Theory
Exchange sorts
Selection sorts
Insertion sorts
Merge sorts
Distribution sorts
Concurrent sorts
Hybrid sorts
Other
Impractical sorts
Retrieved from "https://en.wikipedia.org/w/index.php?title=Merge_sort&oldid=1322438868"
Categories:
Hidden categories:

[8]ページ先頭

©2009-2025 Movatter.jp