0

我需要知道如何使用其元素对用户定义类的向量进行排序。假设我有一个名为“坐标”的类,它使用 getX 和 getY 方法返回一个 int 值。我创建了向量数组“vector PointTwoD vcP2D(5);”

 class coordinates {
 int getX();
 int getY();

  )

现在的问题是,1)我需要使用 getX() 对向量“vcP2D”进行排序并按 asc 顺序排序 2)假设用户输入“2”作为 x 坐标。并使用该信息我需要找到哪个向量包含 2

请指教

4

2 回答 2

6

这将做:

std::sort(v.begin(), v.end(), [](const coordinates& c, const coordinates& d){ return c.getX() < d.getX(); });

它使用 C++11 Lambda 表达式作为std::sort.

一个简短的演示

#include <algorithm>
#include <vector>

#include <iostream>

struct coordinates
{
  int x;
  int y;
};

int main()
{
  std::vector<coordinates> v{ {2,3}, {0,0}, {1,5} };

  std::sort(v.begin(), v.end(), [](const coordinates& c, const coordinates& d) { return c.x < d.x; });

  std::cout << "sorted by x values, values of \"x\": " << v[0].x << " " << v[1].x << " " << v[2].x << "\n";

  std::sort(v.begin(), v.end(), [](const coordinates& c, const coordinates& d) { return c.y < d.y; });

  std::cout << "sorted by y values, values of \"x\": "  << v[0].x << " " << v[1].x << " " << v[2].x << "\n";
}

如何以相同方式查找元素的演示:

#include <algorithm>
#include <vector>

#include <iostream>

struct coordinates
{
  int x;
  int y;
};

int main()
{
  std::vector<coordinates> v{ {2,3}, {0,0}, {1,5} };

  auto result = std::find_if(v.begin(), v.end(), [](const coordinates& c){ return c.x == 1 && c.y == 5; });
  if(result != v.end())
    std::cout << "point (1,5) is number " << std::distance(v.begin(), result)+1 << " in the vector.\n";
  else
    std::cout << "point (1,5) not found.\n";
 }

如果您要在排序后的向量中进行搜索,可以使用std::binary_search带有比较功能的 which(std::sort同上)。它也没有给那个元素一个迭代器,只有一个trueor false

于 2012-10-07T18:16:53.863 回答
3

您需要在元素上定义严格的弱顺序,使用operator< ()或二元谓词,然后使用std::sort().

最简单的方法是创建一个小于operator<()

bool operator< (coordinates const& c0, coordinates const& c1) {
    // return a suitable result of comparing c0 and c1 such that operator<()
    // become a strict weak order
}

有了这个,您对 a 进行排序所需要做的std::vector<coordinates>就是使用std::sort(). 要定位特定对象,您将使用std::lower_bound().

于 2012-10-07T17:34:05.913 回答