我正在使用Clipper并想确定两个(多)多边形是否相交。
我的期望是图书馆会有一个很好的,抽象的方式来提出这个问题,但似乎并没有。
我认为Area()
方法可能有用,但它仅适用于Path
,Execute()
方法返回Paths
。
我已经建立了以下M(几乎)我们证明了这个问题:
#include <iostream>
#include "clipper.hpp"
using namespace ClipperLib;
Paths MakeBox(int xmin, int xmax, int ymin, int ymax){
Paths temp(1);
temp[0] << IntPoint(xmin,ymin) << IntPoint(xmax,ymin) << IntPoint(xmax,ymax) << IntPoint(xmin,ymax);
return temp;
}
bool Intersects(const Paths &subj, const Paths &clip){
ClipperLib::Clipper c;
c.AddPaths(subj, ClipperLib::ptSubject, true);
c.AddPaths(clip, ClipperLib::ptClip, true);
ClipperLib::Paths solution;
c.Execute(ClipperLib::ctIntersection, solution, ClipperLib::pftNonZero, ClipperLib::pftNonZero);
return Area(solution);
}
int main(){
Paths subj = MakeBox(0,10,0,10);
Paths clip1 = MakeBox(1,2,1,2);
Paths clip2 = MakeBox(15,20,15,20);
Intersects(subj,clip1);
Intersects(subj,clip2);
}
答案 0 :(得分:2)
似乎最简单的方法是计算Paths
方法返回的Execute()
对象中的路径数。 Paths
是一个简单的向量,因此,如果它有size()==0
,则没有交集。
#include <iostream>
#include "clipper.hpp"
using namespace ClipperLib;
Paths MakeBox(int xmin, int xmax, int ymin, int ymax){
Paths temp(1);
temp[0] << IntPoint(xmin,ymin) << IntPoint(xmax,ymin) << IntPoint(xmax,ymax) << IntPoint(xmin,ymax);
return temp;
}
bool Intersects(const Paths &subj, const Paths &clip){
ClipperLib::Clipper c;
c.AddPaths(subj, ClipperLib::ptSubject, true);
c.AddPaths(clip, ClipperLib::ptClip, true);
ClipperLib::Paths solution;
c.Execute(ClipperLib::ctIntersection, solution, ClipperLib::pftNonZero, ClipperLib::pftNonZero);
return solution.size()!=0;
}
int main(){
Paths subj = MakeBox(0,10,0,10);
Paths clip1 = MakeBox(1,2,1,2);
Paths clip2 = MakeBox(15,20,15,20);
Intersects(subj,clip1);
Intersects(subj,clip2);
}