Подтвердить что ты не робот

Сортировка двух соответствующих массивов

У меня есть этот код, который имеет два массива. Он сортирует arr [], так что самое высокое значение будет в индексе 0. Теперь второй массив arr1 [] содержит строки, я бы хотел, чтобы код применялся независимо изменения, сделанные в arr [], до arr1 []. Так что arr [0] вернет 6, а arr1 [0] вернет строку "d1" . Обратите внимание, что "d1" имеет тот же индекс, что и 6? После сортировки я хотел бы, чтобы те же значения все еще имели свои строковые копии.

Как мне это сделать?

#include <iostream>
#include <iomanip>
#include <algorithm>
#include <functional>
using namespace std ;


main(){
int arr[ 5 ] = { 4, 1, 3, 6, 2 };

string arr1[ 5 ] = { "a1", "b1", "c1", "d1", "e1" };

std::sort( arr, arr + 5, std::greater< int >() );
cout << arr[0] << arr1[0] << endl;

system("pause");
}
4b9b3361

Ответ 1

Вместо сортировки массивов сортируйте индексы. I.e., у вас есть

int arr[5]={4,1,3,6,2}
string arr1[5]={"a1","b1","c1","d1","e1"};

и вы делаете

int indices[5]={0,1,2,3,4};

теперь вы делаете компаратор индексов сортировки, который выглядит так (просто и идея, вам, вероятно, придется немного исправить)

class sort_indices
{
   private:
     int* mparr;
   public:
     sort_indices(int* parr) : mparr(parr) {}
     bool operator()(int i, int j) const { return mparr[i]<mparr[j]; }
}

теперь вы можете использовать сортировку stl

std::sort(indices, indices+5, sort_indices(arr));

когда вы закончите, массив индексов будет таким, чтобы arr[indices[0]] был первым элементом. а также arr1[indices[0]] - соответствующая пара.

Это также очень полезный трюк, когда вы пытаетесь сортировать большой объект данных, вам не нужно перемещать данные на каждом свопе, просто индексы.

Ответ 2

Вам нужно объединить их вместе, а затем отсортировать комбинированную пару, а затем разобрать пары.

int arr[ 5 ] = { ... };
string arr1[ 5 ] = { ... };
pair<int, string> pairs[ 5 ];

for ( int i = 0; i < 5; ++i )
  pairs[ i ] = make_pair( arr[ i ], arr1[ i ] );

sort( pairs.begin(), pairs.end() );

for ( int i = 0; i < 5; ++i )
{
  arr[ i ] = pairs[ i ].first;
  arr1[ i ] = pairs[ i ].second;
}

Действительно, если arr и arr1 связаны, они должны быть сохранены как pair (или, по крайней мере, пользовательский struct) в любом случае. Таким образом, вам не нужно использовать это как промежуточный шаг.

Ответ 3

Напишите свой собственный итератор и используйте STD: sort. Он легко кодируется менее чем за 50 строк без сторонних библиотек. Функция Swap ОЧЕНЬ ВАЖНО здесь.

#include <iostream>
#include <iterator>     // std::iterator, std::input_iterator_tag
#include <algorithm>

using namespace std;

struct Tuple;
struct RefTuple;
#define TUPLE_COMMON_FUNC(C, D, E, F)            \
    C##::C## (Tuple& t) ##D                        \
    C##::C## (RefTuple& t) ##D                    \
    void C##::operator = (Tuple& t) ##E        \
    void C##::operator = (RefTuple& t) ##E    \
    bool C##::operator < (const Tuple& t) const ##F        \
    bool C##::operator < (const RefTuple& t) const ##F
#define ASSIGN_1    : i(t.i), j(t.j), s(t.s) {}
#define ASSIGN_2    { i = t.i; j = t.j; s = t.s; }
#define SORT_CRITERIA \
    return (j < t.j) || (j == t.j && (i < t.i));
struct Tuple {
    int i, j, s;
    TUPLE_COMMON_FUNC(Tuple, ; , ; , ;)
};
struct RefTuple {
    int &i, &j, &s;
    RefTuple(int &x, int &y, int &z): i(x), j(y), s(z) {}
    TUPLE_COMMON_FUNC(RefTuple, ; , ; , ;)
};
TUPLE_COMMON_FUNC(Tuple, ASSIGN_1, ASSIGN_2, {SORT_CRITERIA})
TUPLE_COMMON_FUNC(RefTuple, ASSIGN_1, ASSIGN_2, {SORT_CRITERIA})

void swap(RefTuple& t1, RefTuple& t2) {
    t1.i ^= t2.i; t2.i ^= t1.i; t1.i ^= t2.i;
    t1.j ^= t2.j; t2.j ^= t1.j; t1.j ^= t2.j;
    t1.s ^= t2.s; t2.s ^= t1.s; t1.s ^= t2.s;
}

class IterTuple : public iterator<random_access_iterator_tag, Tuple> {
    int *i, *j, *s, idx;
public:
    IterTuple(int* x, int*y, int* z, int l) : i(x), j(y), s(z), idx(l) {}
    IterTuple(const IterTuple& e) : i(e.i), j(e.j), s(e.s), idx(e.idx) {}
    RefTuple operator*() { return RefTuple(i[idx], j[idx], s[idx]);  }
    IterTuple& operator ++ () { idx++; return *this; }
    IterTuple& operator -- () { idx--; return *this; }
    IterTuple operator ++ (int) { IterTuple tmp(*this); idx++; return tmp; }
    IterTuple operator -- (int) { IterTuple tmp(*this); idx--; return tmp; }
    int operator - (IterTuple& rhs) { return idx - rhs.idx;    }
    IterTuple operator + (int n) { IterTuple tmp(*this); tmp.idx += n; return tmp; }
    IterTuple operator - (int n) { IterTuple tmp(*this); tmp.idx -= n; return tmp; }
    bool operator==(const IterTuple& rhs) {        return idx == rhs.idx;    }
    bool operator!=(const IterTuple& rhs) {     return idx != rhs.idx;  }
    bool operator<(IterTuple& rhs) {     return idx < rhs.idx;   }
};

int Ai[10] = {0, 0, 2, 3, 2, 4, 1, 1, 4, 2};
int Aj[10] = {0, 2, 3, 4, 4, 4, 0, 1, 0, 2};
int Ax[10] = {0, 1, 2, 3, 4, 5, 6, 7, 8, 9};

int main () {
    IterTuple from(Ai, Aj, Ax, 0);
    IterTuple until(Ai, Aj, Ax, 10);

    sort(from, until);

    for (IterTuple it = from; it != until; it++)
        cout << (*it).i << ' ' << (*it).j << ' ' << (*it).s << '\n';

    return 0;
}