我试图在 python 中获取多面体的 Delaunay Triangulation 以便我可以计算质心。我看到 scipy.spatial 中有一个 Delaunay 函数,它可以在 n 维中工作。问题是文档显示了 2D 使用,并没有给我任何关于如何处理更高维度的指示。能够将这个对象分解成一个数组可能会为我解决这个问题,但我不知道该怎么做。

我遇到的问题是我不知道如何在输出对象时验证它是否正常工作。我在谷歌上找不到任何关于如何绘制多面体或如何使用 scipy 吐回的对象的信息。

如果我做

import numpy as np
from scipy.spatial import Delaunay

points = np.array([[0,0,0],[1,0,0],[1,1,0],[1,0,1],[1,1,1],[0,1,0],[0,1,1],[0,0,1]])
Delaunay(points)

我真的很想能够取回这些四面体的坐标,以便我可以计算多面体的质心。如果我也能够绘制镶嵌多面体的图形,那也真的很棒。我在 MATLAB 中看到我可以用一个叫做 trimesn 的函数来做到这一点,我从 matplotlib 中找到了一个,但它似乎真的不同,它的文档也不是很好。
from matplotlib.collections import TriMesh TriMesh.__doc__

u'\n      Class for the efficient drawing of a triangular mesh using\n
Gouraud shading.\n\n    A triangular mesh is a
:class:`~matplotlib.tri.Triangulation`\n    object.\n    '

最佳答案

tess = Delaunay(pts) 返回的是 Delanauy 类的对象。您可以将四面体检查为 tess.simplices 。它有不同的属性和方法。例如,在 2D 中,它可以绘制三角剖分、凸包和 Voronoi 分割。

关于最终四面体集合的可视化,我没有找到一种直接的方法,但我设法获得了一个工作脚本。检查下面的代码。

from __future__ import division
import numpy as np
from scipy.spatial import Delaunay
import matplotlib.pyplot as plt
from mpl_toolkits.mplot3d import Axes3D
from mpl_toolkits.mplot3d.art3d import Poly3DCollection, Line3DCollection
from itertools import combinations


def plot_tetra(tetra, pts, color="green", alpha=0.1, lc="k", lw=1):
    combs = combinations(tetra, 3)
    for comb in combs:
        X = pts[comb, 0]
        Y = pts[comb, 1]
        Z = pts[comb, 2]
        verts = [zip(X, Y, Z)]
        triangle = Poly3DCollection(verts, facecolors=color, alpha=0.1)
        lines = Line3DCollection(verts, colors=lc, linewidths=lw)
        ax.add_collection3d(triangle)
        ax.add_collection3d(lines)

pts = np.array([
            [0,0,0],
            [1,0,0],
            [1,1,0],
            [1,0,1],
            [1,1,1],
            [0,1,0],
            [0,1,1],
            [0,0,1]])
tess = Delaunay(pts)

fig = plt.figure()
ax = fig.add_subplot(111, projection='3d')
for k, tetra in enumerate(tess.simplices):
    color = plt.cm.Accent(k/(tess.nsimplex - 1))
    plot_tetra(tetra, pts, color=color, alpha=0.1, lw=0.5, lc="k")
ax.scatter(pts[:, 0], pts[:, 1], pts[:, 2], c='k')
plt.savefig("Delaunay.png", dpi=600)
plt.show()

结果图像是

python - 多面体的 Delaunay 三角化 (Python)-LMLPHP

关于python - 多面体的 Delaunay 三角化 (Python),我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/34820373/

10-11 03:30