有没有办法使用 Boost 库对几何图形执行拆分操作?
问问题
329 次
2 回答
0
我不确定你到底在想什么,但你可以检查 Boost.Geometry ( http://www.boost.org/libs/geometry ) 中实现的算法。
我猜你可以使用 intersection() 或 difference() 算法来实现它。
于 2014-04-15T16:34:11.603 回答
0
你对你的输入是什么以及你对分割它的定义不够具体。
有没有办法使用 Boost 库对几何图形执行拆分操作?
下面是我尝试用一个快速简单但不一定是最佳的示例来回答您的问题,该示例说明了如何使用 Boost.Geometry 构建块来组合解决方案(许多可能的一种)来分割几何,即给定点的线串。
#include <boost/geometry.hpp>
#include <algorithm>
#include <iostream>
#include <vector>
namespace bg = boost::geometry;
using point_2d = bg::model::d2::point_xy<double>;
using linestring_2d = bg::model::linestring<point_2d>;
int main()
{
point_2d pt(2.5, 0);
linestring_2d ls({{0, 0}, {1, 0}, {2, 0}, {3, 0}, {4, 0}, {5, 0}});
auto split_begin = std::find_if(bg::segments_begin(ls), bg::segments_end(ls),
[&pt](auto const& segment) { return bg::intersects(segment, pt); });
linestring_2d line1;
std::for_each(bg::segments_begin(ls), split_begin, [&line1](auto const& s)
{
bg::append(line1, s.first);
});
bg::append(line1, split_begin->first);
bg::append(line1, pt);
linestring_2d line2;
bg::append(line2, pt);
bg::append(line2, split_begin->second);
std::for_each(++split_begin, bg::segments_end(ls), [&line2](auto const& s)
{
bg::append(line2, s.second);
});
std::cout << "line: " << bg::dsv(ls) << std::endl;
std::cout << "split point: " << bg::dsv(pt) << std::endl;
std::cout << "line1: " << bg::dsv(line1) << std::endl;
std::cout << "line2: " << bg::dsv(line2) << std::endl;
}
输出:
line: ((0, 0), (1, 0), (2, 0), (3, 0), (4, 0), (5, 0))
split point: (2.5, 0)
line1: ((0, 0), (1, 0), (2, 0), (2.5, 0))
line2: ((2.5, 0), (3, 0), (4, 0), (5, 0))
于 2019-10-03T17:39:18.590 回答