I am looking for an algorithm to merge multiple sorted sequences, lets say X sorted sequences with n elements, into one sorted sequence in c++ , can you provide some examples?
note: I do not want to use any library
There are three methods that do the merging :-
Suppose you are merging m lists
with n elements each
Algorithm 1 :-
Merge lists two at a time. Use merge sort like merge routine to merge as the lists are sorted. This is very simple to implement without any libraries. But takes time O(m^2*n)
which is small enough if m is not large.
Algorithm 2:-
This is an improvement over 1. where we always merge list which are the smallest two in the remaining list. Use a priority queue
to do that and select smallest two list and merge them and add new list to queue. Do this till only 1 list is left which would be your answer. This technique is used in huffman coding
and produces optimal merge pattern
. This takes O(m*n*logm)
. Moreover for similar sized lists it can be made parallel
as we can select a pair of list and merge in parallel. Assuming you have m processors
then the algorithm can ideally run in O(n*logm)
instead of O(m*n*logm)
Algorithm 3:-
This is most efficient algorithm where you maintain a priority queue
for first elements of all lists and extract min to get new element also maintain index of the list min element belongs to so that you can add the next element from that list. This take O(s*logm)
where s is total elements in all lists.