pythonvtkmeshlab

mesh decimation in python


I have a high resolution triangular mesh with about 2 million triangles. I want to reduce the number of triangles and vertices to about ~10000 each, while preserving its general shape as much as possible.

I know this can be done in Matlab using reducepatch. Another alternative is qslim package. Also there is decimation functionality in VTK which has python interface, so technically it is possible in python as well. Meshlab is probably available in python as well (?).

How can I do this kind of mesh decimation in python? Examples would be greatly appreciated.


Solution

  • Here is a minimal python prototype translated from its c++ equivalent vtk example (http://www.vtk.org/Wiki/VTK/Examples/Cxx/Meshes/Decimation), as MrPedru22 well suggested.

    from vtk import (vtkSphereSource, vtkPolyData, vtkDecimatePro)
    
    
    def decimation():
        sphereS = vtkSphereSource()
        sphereS.Update()
    
        inputPoly = vtkPolyData()
        inputPoly.ShallowCopy(sphereS.GetOutput())
    
        print("Before decimation\n"
              "-----------------\n"
              "There are " + str(inputPoly.GetNumberOfPoints()) + "points.\n"
              "There are " + str(inputPoly.GetNumberOfPolys()) + "polygons.\n")
    
        decimate = vtkDecimatePro()
        decimate.SetInputData(inputPoly)
        decimate.SetTargetReduction(.10)
        decimate.Update()
    
        decimatedPoly = vtkPolyData()
        decimatedPoly.ShallowCopy(decimate.GetOutput())
    
        print("After decimation \n"
              "-----------------\n"
              "There are " + str(decimatedPoly.GetNumberOfPoints()) + "points.\n"
              "There are " + str(decimatedPoly.GetNumberOfPolys()) + "polygons.\n")
    
    
    if __name__ == "__main__":
        decimation()