信不信由你,当我搜索这个,我拿出缥缈。
我如何排序多维vector
的int
由“列”由一个s?
提前谢谢了!
C ++
res = mysql_perform_query(conn, "SELECT column1, column2, column3 FROM table1;");
std::vector< std::vector< int > > myVector;
while ((row = mysql_fetch_row(res)) !=NULL){
int rankedID = atoi(row[0]);
std::vector< int > tempRow;
tempRow.push_back(atoi(row[0]));
tempRow.push_back(atoi(row[1]));
tempRow.push_back(atoi(row[2]));
myVector.push_back(tempRow);
}
我想排序myVector
由myVector[i][1]
降。
再次感谢!
std::sort(myVector.begin(), myVector.end(), [](const std::vector< int >& a, const std::vector< int >& b){
//If you want to sort in ascending order, then substitute > with <
return a[1] > b[1];
});
请注意,您将需要一个C ++编译器11获得此代码编译。 你应该做的lambda函数接受常量引用,以避免昂贵的拷贝,通过高炉的建议。
#include <iostream>
#include <vector>
#include <algorithm>
int main(){
std::vector< std::vector< int > > myVector({{3,4,3},{2,5,2},{1,6,1}});
std::sort(myVector.begin(), myVector.end(), [](const std::vector< int >& a, const std::vector< int >& b){ return a[1] > b[1]; } );
std::cout << "{";
for(auto i : myVector){
std::cout << "[";
for(auto j : i)
std::cout << j << ",";
std::cout << "],";
}
std::cout << "}" << std::endl;
return 0;
}
该程序的输出:
{[1,6,1,],[2,5,2,],[3,4,3,],}
我的建议是使用结构的表,但:
struct Table
{
Table(int c1, int c2, int c3)
: column1(c1),
column2(c2),
column3(c3)
{
}
int column1;
int column2;
int column3;
};
把从数据库的每一行成一个结构,然后将其存储在向量:
std::vector<Table> myVector;
while ((row = mysql_fetch_row(res)) !=NULL)
{
myVector.push_back(Table(atoi(row[0]), atoi(row[1]), atoi(row[2]));
}
现在,你可以通过任何列进行排序向量
#include <algorithm>
struct
{
bool operator()(const Table& lhs, const Table& rhs)
{
return lhs.column2 > rhs.column2;
}
} ColumnLess;
std::sort(myVector.begin(), myVector.end(), ColumnLess);
如果您使用C ++ 11,可以使用拉姆达还有:
std::sort(myVector.begin(), myVector.end(),
[](const Table& lhs, const Table& rhs){return lhs.column2 < rhs.column2;});