tetgen


Nametetgen JSON
Version 0.6.4 PyPI version JSON
download
home_pagehttps://github.com/pyvista/tetgen
SummaryPython interface to tetgen
upload_time2024-02-26 06:14:26
maintainer
docs_urlNone
authorPyVista Developers
requires_python>=3.7
license
keywords tetgen
VCS
bugtrack_url
requirements No requirements were recorded.
Travis-CI No Travis.
coveralls test coverage No coveralls.
            tetgen
======

.. image:: https://img.shields.io/pypi/v/tetgen.svg?logo=python&logoColor=white
   :target: https://pypi.org/project/tetgen/

This Python library is an interface to Hang Si's
`TetGen <https://github.com/ufz/tetgen>`__ C++ software.
This module combines speed of C++ with the portability and ease of installation
of Python along with integration to `PyVista <https://docs.pyvista.org>`_ for
3D visualization and analysis.
See the `TetGen <https://github.com/ufz/tetgen>`__ GitHub page for more details
on the original creator.

This Python library uses the C++ source from TetGen (version 1.6.0,
released on August 31, 2020) hosted at `libigl/tetgen <https://github.com/libigl/tetgen>`__.

Brief description from
`Weierstrass Institute Software <http://wias-berlin.de/software/index.jsp?id=TetGen&lang=1>`__:

    TetGen is a program to generate tetrahedral meshes of any 3D polyhedral domains.
    TetGen generates exact constrained Delaunay tetrahedralization, boundary
    conforming Delaunay meshes, and Voronoi partitions.

    TetGen provides various features to generate good quality and adaptive
    tetrahedral meshes suitable for numerical methods, such as finite element or
    finite volume methods. For more information of TetGen, please take a look at a
    list of `features <http://wias-berlin.de/software/tetgen/features.html>`__.

License (AGPL)
--------------

The original `TetGen <https://github.com/ufz/tetgen>`__ software is under AGPL
(see `LICENSE <https://github.com/pyvista/tetgen/blob/main/LICENSE>`_) and thus this
Python wrapper package must adopt that license as well.

Please look into the terms of this license before creating a dynamic link to this software
in your downstream package and understand commercial use limitations. We are not lawyers
and cannot provide any guidance on the terms of this license.

Please see https://www.gnu.org/licenses/agpl-3.0.en.html

Installation
------------

From `PyPI <https://pypi.python.org/pypi/tetgen>`__

.. code:: bash

    pip install tetgen

From source at `GitHub <https://github.com/pyvista/tetgen>`__

.. code:: bash

    git clone https://github.com/pyvista/tetgen
    cd tetgen
    pip install .


Basic Example
-------------
The features of the C++ TetGen software implemented in this module are
primarily focused on the tetrahedralization a manifold triangular
surface.  This basic example demonstrates how to tetrahedralize a
manifold surface and plot part of the mesh.

.. code:: python

    import pyvista as pv
    import tetgen
    import numpy as np
    pv.set_plot_theme('document')

    sphere = pv.Sphere()
    tet = tetgen.TetGen(sphere)
    tet.tetrahedralize(order=1, mindihedral=20, minratio=1.5)
    grid = tet.grid
    grid.plot(show_edges=True)

.. figure:: https://github.com/pyvista/tetgen/raw/main/doc/images/sphere.png
    :width: 300pt

    Tetrahedralized Sphere

Extract a portion of the sphere's tetrahedral mesh below the xy plane and plot
the mesh quality.

.. code:: python

    # get cell centroids
    cells = grid.cells.reshape(-1, 5)[:, 1:]
    cell_center = grid.points[cells].mean(1)

    # extract cells below the 0 xy plane
    mask = cell_center[:, 2] < 0
    cell_ind = mask.nonzero()[0]
    subgrid = grid.extract_cells(cell_ind)

    # advanced plotting
    plotter = pv.Plotter()
    plotter.add_mesh(subgrid, 'lightgrey', lighting=True, show_edges=True)
    plotter.add_mesh(sphere, 'r', 'wireframe')
    plotter.add_legend([[' Input Mesh ', 'r'],
                        [' Tessellated Mesh ', 'black']])
    plotter.show()

.. image:: https://github.com/pyvista/tetgen/raw/main/doc/images/sphere_subgrid.png

Here is the cell quality as computed according to the minimum scaled jacobian.

.. code::

   Compute cell quality

   >>> cell_qual = subgrid.compute_cell_quality()['CellQuality']

   Plot quality

   >>> subgrid.plot(scalars=cell_qual, stitle='Quality', cmap='bwr', clim=[0, 1],
   ...              flip_scalars=True, show_edges=True)

.. image:: https://github.com/pyvista/tetgen/raw/main/doc/images/sphere_qual.png


Using a Background Mesh
-----------------------
A background mesh in TetGen is used to define a mesh sizing function for
adaptive mesh refinement. This function informs TetGen of the desired element
size throughout the domain, allowing for detailed refinement in specific areas
without unnecessary densification of the entire mesh. Here's how to utilize a
background mesh in your TetGen workflow:

1. **Generate the Background Mesh**: Create a tetrahedral mesh that spans the
   entirety of your input piecewise linear complex (PLC) domain. This mesh will
   serve as the basis for your sizing function.

2. **Define the Sizing Function**: At the nodes of your background mesh, define
   the desired mesh sizes. This can be based on geometric features, proximity
   to areas of interest, or any criterion relevant to your simulation needs.

3. **Optional: Export the Background Mesh and Sizing Function**: Save your
   background mesh in the TetGen-readable `.node` and `.ele` formats, and the
   sizing function values in a `.mtr` file. These files will be used by TetGen
   to guide the mesh generation process.

4. **Run TetGen with the Background Mesh**: Invoke TetGen, specifying the
   background mesh. TetGen will adjust the mesh according to the provided
   sizing function, refining the mesh where smaller elements are desired.

**Full Example**

To illustrate, consider a scenario where you want to refine a mesh around a
specific region with increased detail. The following steps and code snippets
demonstrate how to accomplish this with TetGen and PyVista:

1. **Prepare Your PLC and Background Mesh**:

   .. code-block:: python

      import pyvista as pv
      import tetgen
      import numpy as np

      # Load or create your PLC
      sphere = pv.Sphere(theta_resolution=10, phi_resolution=10)

      # Generate a background mesh with desired resolution
      def generate_background_mesh(bounds, resolution=20, eps=1e-6):
          x_min, x_max, y_min, y_max, z_min, z_max = bounds
          grid_x, grid_y, grid_z = np.meshgrid(
              np.linspace(xmin - eps, xmax + eps, resolution),
              np.linspace(ymin - eps, ymax + eps, resolution),
              np.linspace(zmin - eps, zmax + eps, resolution),
              indexing="ij",
          )
          return pv.StructuredGrid(grid_x, grid_y, grid_z).triangulate()

      bg_mesh = generate_background_mesh(sphere.bounds)

2. **Define the Sizing Function and Write to Disk**:

   .. code-block:: python

      # Define sizing function based on proximity to a point of interest
      def sizing_function(points, focus_point=np.array([0, 0, 0]), max_size=1.0, min_size=0.1):
          distances = np.linalg.norm(points - focus_point, axis=1)
          return np.clip(max_size - distances, min_size, max_size)

      bg_mesh.point_data['target_size'] = sizing_function(bg_mesh.points)

      # Optionally write out the background mesh
      def write_background_mesh(background_mesh, out_stem):
          """Write a background mesh to a file.

          This writes the mesh in tetgen format (X.b.node, X.b.ele) and a X.b.mtr file
          containing the target size for each node in the background mesh.
          """
          mtr_content = [f"{background_mesh.n_points} 1"]
          target_size = background_mesh.point_data["target_size"]
          for i in range(background_mesh.n_points):
              mtr_content.append(f"{target_size[i]:.8f}")

      write_background_mesh(bg_mesh, 'bgmesh.b')

3. **Use TetGen with the Background Mesh**:


   Directly pass the background mesh from PyVista to ``tetgen``:

   .. code-block:: python

      tet_kwargs = dict(order=1, mindihedral=20, minratio=1.5)
      tet = tetgen.TetGen(mesh)
      tet.tetrahedralize(bgmesh=bgmesh, **tet_kwargs)
      refined_mesh = tet.grid

   Alternatively, use the background mesh files.

   .. code-block:: python

      tet = tetgen.TetGen(sphere)
      tet.tetrahedralize(bgmeshfilename='bgmesh.b', **tet_kwargs)
      refined_mesh = tet.grid


This example demonstrates generating a background mesh, defining a spatially
varying sizing function, and using this background mesh to guide TetGen in
refining a PLC. By following these steps, you can achieve adaptive mesh
refinement tailored to your specific simulation requirements.


Acknowledgments
---------------
Software was originally created by Hang Si based on work published in
`TetGen, a Delaunay-Based Quality Tetrahedral Mesh Generator <https://dl.acm.org/citation.cfm?doid=2629697>`__.

            

Raw data

            {
    "_id": null,
    "home_page": "https://github.com/pyvista/tetgen",
    "name": "tetgen",
    "maintainer": "",
    "docs_url": null,
    "requires_python": ">=3.7",
    "maintainer_email": "",
    "keywords": "TetGen",
    "author": "PyVista Developers",
    "author_email": "info@pyvista.org",
    "download_url": "",
    "platform": null,
    "description": "tetgen\n======\n\n.. image:: https://img.shields.io/pypi/v/tetgen.svg?logo=python&logoColor=white\n   :target: https://pypi.org/project/tetgen/\n\nThis Python library is an interface to Hang Si's\n`TetGen <https://github.com/ufz/tetgen>`__ C++ software.\nThis module combines speed of C++ with the portability and ease of installation\nof Python along with integration to `PyVista <https://docs.pyvista.org>`_ for\n3D visualization and analysis.\nSee the `TetGen <https://github.com/ufz/tetgen>`__ GitHub page for more details\non the original creator.\n\nThis Python library uses the C++ source from TetGen (version 1.6.0,\nreleased on August 31, 2020) hosted at `libigl/tetgen <https://github.com/libigl/tetgen>`__.\n\nBrief description from\n`Weierstrass Institute Software <http://wias-berlin.de/software/index.jsp?id=TetGen&lang=1>`__:\n\n    TetGen is a program to generate tetrahedral meshes of any 3D polyhedral domains.\n    TetGen generates exact constrained Delaunay tetrahedralization, boundary\n    conforming Delaunay meshes, and Voronoi partitions.\n\n    TetGen provides various features to generate good quality and adaptive\n    tetrahedral meshes suitable for numerical methods, such as finite element or\n    finite volume methods. For more information of TetGen, please take a look at a\n    list of `features <http://wias-berlin.de/software/tetgen/features.html>`__.\n\nLicense (AGPL)\n--------------\n\nThe original `TetGen <https://github.com/ufz/tetgen>`__ software is under AGPL\n(see `LICENSE <https://github.com/pyvista/tetgen/blob/main/LICENSE>`_) and thus this\nPython wrapper package must adopt that license as well.\n\nPlease look into the terms of this license before creating a dynamic link to this software\nin your downstream package and understand commercial use limitations. We are not lawyers\nand cannot provide any guidance on the terms of this license.\n\nPlease see https://www.gnu.org/licenses/agpl-3.0.en.html\n\nInstallation\n------------\n\nFrom `PyPI <https://pypi.python.org/pypi/tetgen>`__\n\n.. code:: bash\n\n    pip install tetgen\n\nFrom source at `GitHub <https://github.com/pyvista/tetgen>`__\n\n.. code:: bash\n\n    git clone https://github.com/pyvista/tetgen\n    cd tetgen\n    pip install .\n\n\nBasic Example\n-------------\nThe features of the C++ TetGen software implemented in this module are\nprimarily focused on the tetrahedralization a manifold triangular\nsurface.  This basic example demonstrates how to tetrahedralize a\nmanifold surface and plot part of the mesh.\n\n.. code:: python\n\n    import pyvista as pv\n    import tetgen\n    import numpy as np\n    pv.set_plot_theme('document')\n\n    sphere = pv.Sphere()\n    tet = tetgen.TetGen(sphere)\n    tet.tetrahedralize(order=1, mindihedral=20, minratio=1.5)\n    grid = tet.grid\n    grid.plot(show_edges=True)\n\n.. figure:: https://github.com/pyvista/tetgen/raw/main/doc/images/sphere.png\n    :width: 300pt\n\n    Tetrahedralized Sphere\n\nExtract a portion of the sphere's tetrahedral mesh below the xy plane and plot\nthe mesh quality.\n\n.. code:: python\n\n    # get cell centroids\n    cells = grid.cells.reshape(-1, 5)[:, 1:]\n    cell_center = grid.points[cells].mean(1)\n\n    # extract cells below the 0 xy plane\n    mask = cell_center[:, 2] < 0\n    cell_ind = mask.nonzero()[0]\n    subgrid = grid.extract_cells(cell_ind)\n\n    # advanced plotting\n    plotter = pv.Plotter()\n    plotter.add_mesh(subgrid, 'lightgrey', lighting=True, show_edges=True)\n    plotter.add_mesh(sphere, 'r', 'wireframe')\n    plotter.add_legend([[' Input Mesh ', 'r'],\n                        [' Tessellated Mesh ', 'black']])\n    plotter.show()\n\n.. image:: https://github.com/pyvista/tetgen/raw/main/doc/images/sphere_subgrid.png\n\nHere is the cell quality as computed according to the minimum scaled jacobian.\n\n.. code::\n\n   Compute cell quality\n\n   >>> cell_qual = subgrid.compute_cell_quality()['CellQuality']\n\n   Plot quality\n\n   >>> subgrid.plot(scalars=cell_qual, stitle='Quality', cmap='bwr', clim=[0, 1],\n   ...              flip_scalars=True, show_edges=True)\n\n.. image:: https://github.com/pyvista/tetgen/raw/main/doc/images/sphere_qual.png\n\n\nUsing a Background Mesh\n-----------------------\nA background mesh in TetGen is used to define a mesh sizing function for\nadaptive mesh refinement. This function informs TetGen of the desired element\nsize throughout the domain, allowing for detailed refinement in specific areas\nwithout unnecessary densification of the entire mesh. Here's how to utilize a\nbackground mesh in your TetGen workflow:\n\n1. **Generate the Background Mesh**: Create a tetrahedral mesh that spans the\n   entirety of your input piecewise linear complex (PLC) domain. This mesh will\n   serve as the basis for your sizing function.\n\n2. **Define the Sizing Function**: At the nodes of your background mesh, define\n   the desired mesh sizes. This can be based on geometric features, proximity\n   to areas of interest, or any criterion relevant to your simulation needs.\n\n3. **Optional: Export the Background Mesh and Sizing Function**: Save your\n   background mesh in the TetGen-readable `.node` and `.ele` formats, and the\n   sizing function values in a `.mtr` file. These files will be used by TetGen\n   to guide the mesh generation process.\n\n4. **Run TetGen with the Background Mesh**: Invoke TetGen, specifying the\n   background mesh. TetGen will adjust the mesh according to the provided\n   sizing function, refining the mesh where smaller elements are desired.\n\n**Full Example**\n\nTo illustrate, consider a scenario where you want to refine a mesh around a\nspecific region with increased detail. The following steps and code snippets\ndemonstrate how to accomplish this with TetGen and PyVista:\n\n1. **Prepare Your PLC and Background Mesh**:\n\n   .. code-block:: python\n\n      import pyvista as pv\n      import tetgen\n      import numpy as np\n\n      # Load or create your PLC\n      sphere = pv.Sphere(theta_resolution=10, phi_resolution=10)\n\n      # Generate a background mesh with desired resolution\n      def generate_background_mesh(bounds, resolution=20, eps=1e-6):\n          x_min, x_max, y_min, y_max, z_min, z_max = bounds\n          grid_x, grid_y, grid_z = np.meshgrid(\n              np.linspace(xmin - eps, xmax + eps, resolution),\n              np.linspace(ymin - eps, ymax + eps, resolution),\n              np.linspace(zmin - eps, zmax + eps, resolution),\n              indexing=\"ij\",\n          )\n          return pv.StructuredGrid(grid_x, grid_y, grid_z).triangulate()\n\n      bg_mesh = generate_background_mesh(sphere.bounds)\n\n2. **Define the Sizing Function and Write to Disk**:\n\n   .. code-block:: python\n\n      # Define sizing function based on proximity to a point of interest\n      def sizing_function(points, focus_point=np.array([0, 0, 0]), max_size=1.0, min_size=0.1):\n          distances = np.linalg.norm(points - focus_point, axis=1)\n          return np.clip(max_size - distances, min_size, max_size)\n\n      bg_mesh.point_data['target_size'] = sizing_function(bg_mesh.points)\n\n      # Optionally write out the background mesh\n      def write_background_mesh(background_mesh, out_stem):\n          \"\"\"Write a background mesh to a file.\n\n          This writes the mesh in tetgen format (X.b.node, X.b.ele) and a X.b.mtr file\n          containing the target size for each node in the background mesh.\n          \"\"\"\n          mtr_content = [f\"{background_mesh.n_points} 1\"]\n          target_size = background_mesh.point_data[\"target_size\"]\n          for i in range(background_mesh.n_points):\n              mtr_content.append(f\"{target_size[i]:.8f}\")\n\n      write_background_mesh(bg_mesh, 'bgmesh.b')\n\n3. **Use TetGen with the Background Mesh**:\n\n\n   Directly pass the background mesh from PyVista to ``tetgen``:\n\n   .. code-block:: python\n\n      tet_kwargs = dict(order=1, mindihedral=20, minratio=1.5)\n      tet = tetgen.TetGen(mesh)\n      tet.tetrahedralize(bgmesh=bgmesh, **tet_kwargs)\n      refined_mesh = tet.grid\n\n   Alternatively, use the background mesh files.\n\n   .. code-block:: python\n\n      tet = tetgen.TetGen(sphere)\n      tet.tetrahedralize(bgmeshfilename='bgmesh.b', **tet_kwargs)\n      refined_mesh = tet.grid\n\n\nThis example demonstrates generating a background mesh, defining a spatially\nvarying sizing function, and using this background mesh to guide TetGen in\nrefining a PLC. By following these steps, you can achieve adaptive mesh\nrefinement tailored to your specific simulation requirements.\n\n\nAcknowledgments\n---------------\nSoftware was originally created by Hang Si based on work published in\n`TetGen, a Delaunay-Based Quality Tetrahedral Mesh Generator <https://dl.acm.org/citation.cfm?doid=2629697>`__.\n",
    "bugtrack_url": null,
    "license": "",
    "summary": "Python interface to tetgen",
    "version": "0.6.4",
    "project_urls": {
        "Homepage": "https://github.com/pyvista/tetgen"
    },
    "split_keywords": [
        "tetgen"
    ],
    "urls": [
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "463125f84fc24d4f9eeb1f89b3dea2eea43aa5384296805c1b78ebf4158a6dad",
                "md5": "437508e3a338ecb561764e8a72302dce",
                "sha256": "696abda7472f5ed58148bc37c774546ee418346eeb3fb994778ccefa1a9c6596"
            },
            "downloads": -1,
            "filename": "tetgen-0.6.4-cp310-cp310-macosx_10_9_universal2.whl",
            "has_sig": false,
            "md5_digest": "437508e3a338ecb561764e8a72302dce",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.7",
            "size": 872747,
            "upload_time": "2024-02-26T06:14:26",
            "upload_time_iso_8601": "2024-02-26T06:14:26.822423Z",
            "url": "https://files.pythonhosted.org/packages/46/31/25f84fc24d4f9eeb1f89b3dea2eea43aa5384296805c1b78ebf4158a6dad/tetgen-0.6.4-cp310-cp310-macosx_10_9_universal2.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "b65370541c0cf13a43f5e5ab8e3d1d100859abf594b73ddb6e24bc7c382ed5da",
                "md5": "aaedeee69b0e7ebd8bcf6bb83454ce50",
                "sha256": "4d16523a8a3981c77de19890a2331951c4fa78574ae74a1d5905d3ab79d01982"
            },
            "downloads": -1,
            "filename": "tetgen-0.6.4-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "aaedeee69b0e7ebd8bcf6bb83454ce50",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.7",
            "size": 2065735,
            "upload_time": "2024-02-26T06:14:29",
            "upload_time_iso_8601": "2024-02-26T06:14:29.712466Z",
            "url": "https://files.pythonhosted.org/packages/b6/53/70541c0cf13a43f5e5ab8e3d1d100859abf594b73ddb6e24bc7c382ed5da/tetgen-0.6.4-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "d8cbe850066614c787ee15647773ac6cac5a8fbda6971c0332398ad98d095de4",
                "md5": "686fd602aa3e2274b7da5f1b88ef4c2d",
                "sha256": "b7c9522b9c18b9778b7aec72b47db9ba9a60792b427a77a69dc9f0b2e62820ca"
            },
            "downloads": -1,
            "filename": "tetgen-0.6.4-cp310-cp310-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "686fd602aa3e2274b7da5f1b88ef4c2d",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.7",
            "size": 348371,
            "upload_time": "2024-02-26T06:14:32",
            "upload_time_iso_8601": "2024-02-26T06:14:32.289661Z",
            "url": "https://files.pythonhosted.org/packages/d8/cb/e850066614c787ee15647773ac6cac5a8fbda6971c0332398ad98d095de4/tetgen-0.6.4-cp310-cp310-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "a22807207e2c9f599fd6d5853d227a3bb71106f2e260d3befe8befc2d61c10b4",
                "md5": "f0e75073ca51377a5f8702ceb473e616",
                "sha256": "d75a35219184a7a99ff1eea753212d1db5b5331f33a64e00eb6b26d7c683a7bc"
            },
            "downloads": -1,
            "filename": "tetgen-0.6.4-cp311-cp311-macosx_10_9_universal2.whl",
            "has_sig": false,
            "md5_digest": "f0e75073ca51377a5f8702ceb473e616",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.7",
            "size": 873083,
            "upload_time": "2024-02-26T06:14:34",
            "upload_time_iso_8601": "2024-02-26T06:14:34.555326Z",
            "url": "https://files.pythonhosted.org/packages/a2/28/07207e2c9f599fd6d5853d227a3bb71106f2e260d3befe8befc2d61c10b4/tetgen-0.6.4-cp311-cp311-macosx_10_9_universal2.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "82f6054cf29d236e244e6dd4feb32979f5eae16d3677f5aab8b6913de0b4f568",
                "md5": "fcaf4a2a6e34ed0a3d015c6a298c7abd",
                "sha256": "37c7a10c7365dbbf5e9bebe79f096ab44be3bd3f65e285dc28e757429ad40a02"
            },
            "downloads": -1,
            "filename": "tetgen-0.6.4-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "fcaf4a2a6e34ed0a3d015c6a298c7abd",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.7",
            "size": 2110702,
            "upload_time": "2024-02-26T06:14:36",
            "upload_time_iso_8601": "2024-02-26T06:14:36.582713Z",
            "url": "https://files.pythonhosted.org/packages/82/f6/054cf29d236e244e6dd4feb32979f5eae16d3677f5aab8b6913de0b4f568/tetgen-0.6.4-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "3f26ed5b076b5509ddc70cf8eee8b46e58c9266e7c841fa2e60173b4855042bf",
                "md5": "71de07d6c0ba1331a8446b39509c80e2",
                "sha256": "f2fad7dedca0b4af62711f4906901e665d82d36b3240a88a2a7d2d40b57a9253"
            },
            "downloads": -1,
            "filename": "tetgen-0.6.4-cp311-cp311-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "71de07d6c0ba1331a8446b39509c80e2",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.7",
            "size": 348399,
            "upload_time": "2024-02-26T06:14:38",
            "upload_time_iso_8601": "2024-02-26T06:14:38.976150Z",
            "url": "https://files.pythonhosted.org/packages/3f/26/ed5b076b5509ddc70cf8eee8b46e58c9266e7c841fa2e60173b4855042bf/tetgen-0.6.4-cp311-cp311-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "86d643e2a7e28c0c5ef9712c2491d87810ef0fa67d185fbfc533b44436f69c9a",
                "md5": "f5f31eef7b6c8f4d9bbd9d25b2b91487",
                "sha256": "cf4bc060c6a9330acd36fb053d08e47c76488b0ac5a5e7296636b9137f83395a"
            },
            "downloads": -1,
            "filename": "tetgen-0.6.4-cp312-cp312-macosx_10_9_universal2.whl",
            "has_sig": false,
            "md5_digest": "f5f31eef7b6c8f4d9bbd9d25b2b91487",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.7",
            "size": 875091,
            "upload_time": "2024-02-26T06:14:41",
            "upload_time_iso_8601": "2024-02-26T06:14:41.246218Z",
            "url": "https://files.pythonhosted.org/packages/86/d6/43e2a7e28c0c5ef9712c2491d87810ef0fa67d185fbfc533b44436f69c9a/tetgen-0.6.4-cp312-cp312-macosx_10_9_universal2.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "adb9af97ffe11ee7d7a2c742c77e0ec423739e6d8393a769e295269805656cad",
                "md5": "47f5f0144593911e6db34a280738ea6d",
                "sha256": "6ee7c61430e121d489ee4c2997cd3b4ff8ab4dd812baf5e3997091ffb2178920"
            },
            "downloads": -1,
            "filename": "tetgen-0.6.4-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "47f5f0144593911e6db34a280738ea6d",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.7",
            "size": 2112997,
            "upload_time": "2024-02-26T06:14:43",
            "upload_time_iso_8601": "2024-02-26T06:14:43.220759Z",
            "url": "https://files.pythonhosted.org/packages/ad/b9/af97ffe11ee7d7a2c742c77e0ec423739e6d8393a769e295269805656cad/tetgen-0.6.4-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "7f78ac1d036e04696fbfbb54c64850da075d507e9f42e99c8eb3e744002eb0bb",
                "md5": "bbfd9e86d8d005569a6212afe832cffb",
                "sha256": "e0bec4fc7ce5620b805f3be7bea43321d1c76dcae53b57a1097e523825699f7e"
            },
            "downloads": -1,
            "filename": "tetgen-0.6.4-cp312-cp312-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "bbfd9e86d8d005569a6212afe832cffb",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.7",
            "size": 349112,
            "upload_time": "2024-02-26T06:14:45",
            "upload_time_iso_8601": "2024-02-26T06:14:45.542536Z",
            "url": "https://files.pythonhosted.org/packages/7f/78/ac1d036e04696fbfbb54c64850da075d507e9f42e99c8eb3e744002eb0bb/tetgen-0.6.4-cp312-cp312-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "2b92330f020d7c80aeb30c00ef3d5069293fe064dd47eae24e41a3b80a3302f9",
                "md5": "2970137e4491a7d8e422e07af167956d",
                "sha256": "d56954947417b6b2de3bca291151decdb4a8ab579775d4c362c21afae17e65f3"
            },
            "downloads": -1,
            "filename": "tetgen-0.6.4-cp38-cp38-macosx_10_9_universal2.whl",
            "has_sig": false,
            "md5_digest": "2970137e4491a7d8e422e07af167956d",
            "packagetype": "bdist_wheel",
            "python_version": "cp38",
            "requires_python": ">=3.7",
            "size": 873916,
            "upload_time": "2024-02-26T06:14:47",
            "upload_time_iso_8601": "2024-02-26T06:14:47.798413Z",
            "url": "https://files.pythonhosted.org/packages/2b/92/330f020d7c80aeb30c00ef3d5069293fe064dd47eae24e41a3b80a3302f9/tetgen-0.6.4-cp38-cp38-macosx_10_9_universal2.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "63b926e69bdba7f156954f11b2e8e6adb815638f2bed1339ba49b902dbcbce32",
                "md5": "a40e9eac46a42ee6933229ca97804306",
                "sha256": "90cd7a9e3d4d08283c36d6bc9d85ffcdfcec3e0cba385e73f72255cf27e1a4e8"
            },
            "downloads": -1,
            "filename": "tetgen-0.6.4-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "a40e9eac46a42ee6933229ca97804306",
            "packagetype": "bdist_wheel",
            "python_version": "cp38",
            "requires_python": ">=3.7",
            "size": 2076983,
            "upload_time": "2024-02-26T06:14:50",
            "upload_time_iso_8601": "2024-02-26T06:14:50.287967Z",
            "url": "https://files.pythonhosted.org/packages/63/b9/26e69bdba7f156954f11b2e8e6adb815638f2bed1339ba49b902dbcbce32/tetgen-0.6.4-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "902a6ab7445dcdc1ba8d1d67fcef4b5c28dfe2ea5877c45484a9b41176904b9f",
                "md5": "1a4e06c4594215a2376ad7eac0d3a42b",
                "sha256": "404a05135b3fd331048deaec5ee8a5cd8d8a7365c442961a080c5a6c1c8e586a"
            },
            "downloads": -1,
            "filename": "tetgen-0.6.4-cp38-cp38-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "1a4e06c4594215a2376ad7eac0d3a42b",
            "packagetype": "bdist_wheel",
            "python_version": "cp38",
            "requires_python": ">=3.7",
            "size": 349013,
            "upload_time": "2024-02-26T06:14:51",
            "upload_time_iso_8601": "2024-02-26T06:14:51.981746Z",
            "url": "https://files.pythonhosted.org/packages/90/2a/6ab7445dcdc1ba8d1d67fcef4b5c28dfe2ea5877c45484a9b41176904b9f/tetgen-0.6.4-cp38-cp38-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "e55e37e423052ea93312bab09879ac32ca005a8b37d6c6966ec1979aca263382",
                "md5": "d3fbb074d3f48247754176ee514624ca",
                "sha256": "a5fc93db4f910129953d93150fc824ecf08c76c3d4638ffce3af0a10d6001ee5"
            },
            "downloads": -1,
            "filename": "tetgen-0.6.4-cp39-cp39-macosx_10_9_universal2.whl",
            "has_sig": false,
            "md5_digest": "d3fbb074d3f48247754176ee514624ca",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.7",
            "size": 873532,
            "upload_time": "2024-02-26T06:14:53",
            "upload_time_iso_8601": "2024-02-26T06:14:53.666888Z",
            "url": "https://files.pythonhosted.org/packages/e5/5e/37e423052ea93312bab09879ac32ca005a8b37d6c6966ec1979aca263382/tetgen-0.6.4-cp39-cp39-macosx_10_9_universal2.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "c63c75ebe843dbcc049c9eaa9a740caf9972916148072af6f4f134a6229dede9",
                "md5": "3e934fbec30eab54fddef0c74fafbdb3",
                "sha256": "77fae8b30296e761a75ce52ab6eba649ffd9e45f7fbddc4f3cfd4f1dce7178a1"
            },
            "downloads": -1,
            "filename": "tetgen-0.6.4-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "3e934fbec30eab54fddef0c74fafbdb3",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.7",
            "size": 2068212,
            "upload_time": "2024-02-26T06:14:56",
            "upload_time_iso_8601": "2024-02-26T06:14:56.326547Z",
            "url": "https://files.pythonhosted.org/packages/c6/3c/75ebe843dbcc049c9eaa9a740caf9972916148072af6f4f134a6229dede9/tetgen-0.6.4-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "ebe2dc387d9b5b3aae4873e5230e75d6f4d721eab0679920dd149c7edacfc1fe",
                "md5": "b390aaf2975335cdd668b708fb12bd10",
                "sha256": "401f4ec0c832365ec471670c781907845d64255b03a662934a88a0b9e81d62d2"
            },
            "downloads": -1,
            "filename": "tetgen-0.6.4-cp39-cp39-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "b390aaf2975335cdd668b708fb12bd10",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.7",
            "size": 348648,
            "upload_time": "2024-02-26T06:14:57",
            "upload_time_iso_8601": "2024-02-26T06:14:57.890716Z",
            "url": "https://files.pythonhosted.org/packages/eb/e2/dc387d9b5b3aae4873e5230e75d6f4d721eab0679920dd149c7edacfc1fe/tetgen-0.6.4-cp39-cp39-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        }
    ],
    "upload_time": "2024-02-26 06:14:26",
    "github": true,
    "gitlab": false,
    "bitbucket": false,
    "codeberg": false,
    "github_user": "pyvista",
    "github_project": "tetgen",
    "travis_ci": false,
    "coveralls": false,
    "github_actions": true,
    "requirements": [],
    "lcname": "tetgen"
}
        
Elapsed time: 0.20465s