Сортировка вектора по убыванию в двух диапазонах - PullRequest
14 голосов
/ 28 февраля 2020

Скажем, у меня есть вектор целых чисел:

std::vector<int> indices;
for (int i=0; i<15; i++) indices.push_back(i);

Затем я сортирую его в порядке убывания:

sort(indices.begin(), indices.end(), [](int first, int second) -> bool{return indices[first] > indices[second];})
for (int i=0; i<15; i++) printf("%i\n", indices[i]);

Это дает следующее:

14
13
12
11
10
9
8
7
6
5
4
3
2
1
0

Теперь я хочу, чтобы числа 3, 4, 5 и 6 были перемещены до конца, и сохраняю для них нисходящий порядок (желательно без необходимости использовать sort во второй раз). То есть вот что я хочу:

14
13
12
11
10
9
8
7
2
1
0
6
5
4
3

Как мне изменить функцию сравнения std::sort, чтобы добиться этого?

Ответы [ 3 ]

8 голосов
/ 28 февраля 2020

Ваша функция сравнения неверна, поскольку значения, которые вы получаете как first и second, являются элементами std::vector. Следовательно, нет необходимости использовать их в качестве индексов. Итак, вам нужно изменить

return indices[first] > indices[second];

на

return first > second;

Теперь о проблеме, которую вы пытаетесь решить ...

Вы можно оставить 3, 4, 5 и 6 вне сравнения с другими элементами и сравнить их друг с другом:

std::sort(
    indices.begin(), indices.end(),
    [](int first, int second) -> bool {
        bool first_special = first >= 3 && first <= 6;
        bool second_special = second >= 3 && second <= 6;
        if (first_special != second_special)
            return second_special;
        else
            return first > second;
    }
);

Демо

5 голосов
/ 28 февраля 2020

Функции из библиотеки стандартных алгоритмов , такие как iota, sort, find, rotate и copy сделают вашу жизнь проще. Ваш пример сводится к:

#include <iostream>
#include <vector>
#include <numeric>
#include <algorithm>
#include <iterator>


int main()
{
  std::vector<int> indices(15);
  std::iota(indices.begin(), indices.end(), 0);
  std::sort(indices.begin(), indices.end(), std::greater<>());

  auto a = std::find(indices.begin(), indices.end(), 6);
  auto b = std::find(indices.begin(), indices.end(), 3);
  std::rotate(a, b + 1, indices.end());

  std::copy(indices.begin(), indices.end(), std::ostream_iterator<int>(std::cout, "\n"));
  return 0;
}

Вывод:

14
13
12
11
10
9
8
7
2
1
0
6
5
4
3

@TedLyngmo в комментариях показывает, что его можно / нужно улучшить с помощью:

auto a = std::lower_bound(indices.begin(), indices.end(), 6, std::greater<int>{});
auto b = a + 4;
3 голосов
/ 28 февраля 2020

Решение 1

Простой подход с нелинейным компаратором.

inline constexpr bool SpecialNumber(const int n) noexcept {
  return n < 7 && 2 < n;
}

void StrangeSortSol1(std::vector<int>* v) {
  std::sort(v->begin(), v->end(), [](const int a, const int b) noexcept {
    const bool aSpecial = SpecialNumber(a);
    const bool bSpecial = SpecialNumber(b);

    if (aSpecial && bSpecial) return b < a;
    if (aSpecial) return false;
    if (bSpecial) return true;
    return b < a;
  });
}

Решение 2

Использование std::algorithm s (разбиение )!

inline constexpr bool SpecialNumber(const int n) noexcept {
  return n < 7 && 2 < n;
}

void StrangeSortSol2(std::vector<int>* v) {
  auto pivot = std::partition(v->begin(), v->end(), std::not_fn(SpecialNumber));
  std::sort(v->begin(), pivot, std::greater{});
  std::sort(pivot, v->end(), std::greater{});
}

Вопросы производительности

Может показаться, что второе решение медленнее из-за перегрузки раздела. Вероятно, это не так из-за предсказания кеша и ошибки ветвления в современных процессорах.

Benchmark

...