を使用std::sort
してベクトルを並べ替え、カスタムコンパレータファンクタ(つまり、オーバーロードされたクラスoperator()
)を定義できます。
並べ替え列のインデックスをstd::vector
(カスタムコンパレータオブジェクトの「状態」の一部になります)に格納し、インデックスがそのベクトルに格納されている列の文字列を比較できます。
「列の並べ替え」ベクトルの最初のインデックスで指定された列から値の比較を開始します。それらが同じである場合は、ベクトルの次のインデックスなどで指定された列の値を比較し続けます。これはfor
、コンパレータのoperator()
オーバーロードの本体内のループ内で実行できます。
例として次のコードを参照してください(g ++(GCC)4.7.2でコンパイル):
#include <algorithm>
#include <iostream>
#include <string>
#include <vector>
using namespace std;
vector<vector<string>> BuildTestData()
{
vector<string> r1 = {"hello", "world", "1", "3", "4", "7", "2", "1"};
vector<string> r2 = {"world", "hello", "1", "4", "8", "4", "2", "1"};
vector<string> r3 = {"phone", "mouse", "2", "3", "5", "2", "1", "4"};
return vector<vector<string>>{r1, r2, r3};
}
void PrintData(const vector<vector<string>> & v)
{
for (size_t r = 0; r < v.size(); r++)
{
for (size_t c = 0; c < v[r].size(); c++)
cout << v[r][c] << ' ';
cout << '\n';
}
}
class StringListComparator
{
public:
explicit StringListComparator(vector<int> sortColumns)
: m_sortColumns( move(sortColumns) )
{
}
bool operator()(const vector<string>& lhs, const vector<string>& rhs) const
{
// For each sorting column:
for (size_t i = 0; i < m_sortColumns.size(); i++)
{
// Comparison with current column
const int currentColumn = m_sortColumns[i];
if (lhs[currentColumn] < rhs[currentColumn])
return true;
if (lhs[currentColumn] > rhs[currentColumn])
return false;
// lhs[currentColumn] == rhs[currentColumn],
// so check with next sorting column
}
return false;
}
private:
vector<int> m_sortColumns;
};
int main()
{
auto v = BuildTestData();
cout << "Before sorting:\n";
PrintData(v);
vector<int> sortColumns = {5, 7}; // indexes are 0-based
sort(v.begin(), v.end(), StringListComparator(sortColumns));
cout << "\nAfter sort:\n";
PrintData(v);
}
サンプル実行:
Before sorting:
hello world 1 3 4 7 2 1
world hello 1 4 8 4 2 1
phone mouse 2 3 5 2 1 4
After sort:
phone mouse 2 3 5 2 1 4
world hello 1 4 8 4 2 1
hello world 1 3 4 7 2 1