我使用scipy.spatial.ConvexHull创建了一个凸包。我需要计算凸包和光线之间的交点,从0开始并在某个其他定义点的方向上。已知凸包含0,因此应保证交叉。问题的维度可以在2到5之间变化。我尝试了一些谷歌搜索,但没有找到答案。我希望这是计算几何中已知解决方案的常见问题。谢谢。
答案 0 :(得分:6)
根据qhull.org,凸包的一个方面的点x
验证V.x+b=0
,其中V
和b
由{{1}给出}}。 (hull.equations
代表此处的点积。.
是长度为1的法线向量。)
如果V是法线,则b是偏移量,x是凸起内部的点 船体,然后Vx + b <0。
如果V
是从U
开始的光线矢量,则光线方程为O
。所以射线的一个方面是x=αU, α>0
。与船体的唯一交叉点对应于x = αU = -b/(V.U) U
的正值的最小值:
下一个代码给出:
α
这是一个纯粹的numpy解决方案,所以它很快。 import numpy as np
from scipy.spatial import ConvexHull
def hit(U,hull):
eq=hull.equations.T
V,b=eq[:-1],eq[-1]
alpha=-b/np.dot(V,U)
return np.min(alpha[alpha>0])*U
多维数据集中100万个点的示例:
[-1,1]^3
答案 1 :(得分:4)
正如Ante在评论中所提到的,你需要找到船体中所有线/平面/超平面的最近交点。
要找到光线与超平面的交点,请使用超平面法线进行标准化光线的点积,这将告诉您沿着光线每单位距离移动超平面方向的距离。
如果点积为负,则表示超平面与光线方向相反,如果为零则表示光线与光线平行且不相交。
一旦得到正点积,就可以通过将平面在平面方向上的距离除以点积来计算超平面在光线方向上的距离。例如,如果平面距离3个单位,并且点积为0.5,则对于沿光线移动的每个单位,您只能获得0.5个单位,因此超平面在光线方向上为3 / 0.5 = 6个单位
一旦为所有超平面计算了这个距离并找到了最近的超平面,交点就是光线乘以最近的距离。
这是Python中的一个解决方案(规范化函数来自here):
def normalize(v):
norm = np.linalg.norm(v)
if norm == 0:
return v
return v / norm
def find_hull_intersection(hull, ray_point):
# normalise ray_point
unit_ray = normalize(ray_point)
# find the closest line/plane/hyperplane in the hull:
closest_plane = None
closest_plane_distance = 0
for plane in hull.equations:
normal = plane[:-1]
distance = plane[-1]
# if plane passes through the origin then return the origin
if distance == 0:
return np.multiply(ray_point, 0) # return n-dimensional zero vector
# if distance is negative then flip the sign of both the
# normal and the distance:
if distance < 0:
np.multiply(normal, -1);
distance = distance * -1
# find out how much we move along the plane normal for
# every unit distance along the ray normal:
dot_product = np.dot(normal, unit_ray)
# check the dot product is positive, if not then the
# plane is in the opposite direction to the rayL
if dot_product > 0:
# calculate the distance of the plane
# along the ray normal:
ray_distance = distance / dot_product
# is this the closest so far:
if closest_plane is None or ray_distance < closest_plane_distance:
closest_plane = plane
closest_plane_distance = ray_distance
# was there no valid plane? (should never happen):
if closest_plane is None:
return None
# return the point along the unit_ray of the closest plane,
# which will be the intersection point
return np.multiply(unit_ray, closest_plane_distance)
2D测试代码(解决方案推广到更高维度):
from scipy.spatial import ConvexHull
import numpy as np
points = np.array([[-2, -2], [2, 0], [-1, 2]])
h = ConvexHull(points)
closest_point = find_hull_intersection(h, [1, -1])
print closest_point
输出:
[ 0.66666667 -0.66666667]