Created
February 25, 2014 03:47
-
-
Save shoooe/9202309 to your computer and use it in GitHub Desktop.
Implementation of merge sort as an exercise.
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
#pragma once | |
#include <algorithm> | |
#include <vector> | |
namespace { | |
template <typename IT> | |
void inner_merge(IT begin, IT middle, IT end) { | |
using Container = std::vector<typename std::iterator_traits<IT>::value_type>; | |
Container copy_a(std::distance(begin, middle)); | |
Container copy_b(std::distance(middle, end)); | |
std::copy(begin, middle, copy_a.begin()); | |
std::copy(middle, end, copy_b.begin()); | |
auto i = begin; | |
auto ai = copy_a.begin(); | |
auto bi = copy_b.begin(); | |
while (ai != copy_a.end() && bi != copy_b.end()) { | |
*i = (*ai > *bi) ? *bi : *ai; | |
if (*ai > *bi) bi++; | |
else ai++; | |
i = i + 1; | |
} | |
auto ne_begin = (ai == copy_a.end()) ? bi : ai; | |
auto ne_end = (ai == copy_a.end()) ? copy_b.end() : copy_a.end(); | |
std::copy(ne_begin, ne_end, i); | |
} | |
} | |
template <typename IT> | |
void merge_sort(IT begin, IT end) { | |
auto s = std::distance(begin, end); // size | |
auto h = s / 2; // half floored | |
if (s == 1) return; | |
merge_sort(begin, begin + h); | |
merge_sort(begin + h, end); | |
inner_merge(begin, begin + h, end); | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment