我有一个向量,它包含元素的标识符以及x和Y坐标。我想要做的是检查它们是否具有相同的x和y坐标? - 如果他们确实删除了其中一个(基于另一个字段)。
我确实在Google上找到了“独特”功能,但是,因为所有标识符都是唯一的,这不起作用?正确的吗?
我正在考虑浏览向量中的每个项目,使用嵌套for循环,有更好的方法吗?
由于 Ĵ
答案 0 :(得分:5)
我刚开始写了一些例子。我希望它有所帮助。
#include <iostream>
#include <string>
#include <vector>
#include <algorithm>
#include <iterator>
using namespace std;
// Sample coordinate class
class P {
public:
int x;
int y;
P() : x(0), y(0) {}
P(int i, int j) : x(i), y(j) {}
};
// Just for printing out
std::ostream& operator<<(ostream& o, const P& p) {
cout << p.x << " " << p.y << endl;
return o;
}
// Tells us if one P is less than the other
bool less_comp(const P& p1, const P& p2) {
if(p1.x > p2.x)
return false;
if(p1.x < p2.x)
return true;
// x's are equal if we reach here.
if(p1.y > p2.y)
return false;
if(p1.y < p2.y)
return true;
// both coordinates equal if we reach here.
return false;
}
// Self explanatory
bool equal_comp(const P& p1, const P& p2) {
if(p1.x == p2.x && p1.y == p2.y)
return true;
return false;
}
int main()
{
vector<P> v;
v.push_back(P(1,2));
v.push_back(P(1,3));
v.push_back(P(1,2));
v.push_back(P(1,4));
// Sort the vector. Need for std::unique to work.
std::sort(v.begin(), v.end(), less_comp);
// Collect all the unique values to the front.
std::vector<P>::iterator it;
it = std::unique(v.begin(), v.end(), equal_comp);
// Resize the vector. Some elements might have been pushed to the end.
v.resize( std::distance(v.begin(),it) );
// Print out.
std::copy(v.begin(), v.end(), ostream_iterator<P>(cout, "\n"));
}
1 2
1 3
1 4
答案 1 :(得分:3)
您可以使用std::unique来放弃重复项。但是,这不允许您对删除的元素执行任何操作。它们只是从容器中掉落下来的。需要时,可以使用以下方法:
将vector.sort与自定义比较功能结合使用,该功能可比较x坐标和y坐标。然后迭代向量一次,将每个元素与前一个元素进行比较。
当您不想更改向量的顺序时,您还可以从开始到结束迭代向量,并将每个元素与具有更高索引的所有元素进行比较:
for (int i = 0; i < vector.size(); i++) {
Position current = vector.at(i);
for (int j = i+1; j < vector.size(); j++) {
if current.isEqualPosition(vector.at(j)) {
// found a duplicate
}
}
}
顺便说一下:根据您的具体要求,处理二维空间中对象的更好方法可能是自定义数据结构,如two-dimensional tree。