python-fcl


Namepython-fcl JSON
Version 0.7.0.6 PyPI version JSON
download
home_page
SummaryPython bindings for the Flexible Collision Library
upload_time2024-03-10 21:30:58
maintainer
docs_urlNone
authorMichael Dawson-Haggerty, See contributor list
requires_python>=3.7
licenseBSD
keywords fcl collision distance
VCS
bugtrack_url
requirements No requirements were recorded.
Travis-CI No Travis.
coveralls test coverage No coveralls.
            # python-fcl
### Python Interface for the Flexible Collision Library

Python-FCL is an (unofficial) Python interface for the [Flexible Collision Library (FCL)](https://github.com/flexible-collision-library/fcl),
an excellent C++ library for performing proximity and collision queries on pairs of geometric models.
Currently, this package is targeted for FCL 0.7.0.

This package supports three types of proximity queries for pairs of geometric models:
* __Collision Detection__: Detecting whether two models overlap (and optionally where).
* __Distance Computation__: Computing the minimum distance between a pair of models.
* __Continuous Collision Detection__: Detecting whether two models overlap during motion (and optionally the time of contact).

This package also supports most of FCL's object shapes, including:
* TriangleP
* Box
* Sphere
* Ellipsoid
* Capsule
* Cone
* Convex
* Cylinder
* Half-Space
* Plane
* Mesh
* OcTree

## Installation

First, install [octomap](https://github.com/OctoMap/octomap), which is necessary to use OcTree. For Ubuntu, use `sudo apt-get install liboctomap-dev`.
Second, install FCL using the instructions provided [here](https://github.com/flexible-collision-library/fcl).
If you're on Ubuntu 17.04 or newer, you can install FCL using `sudo apt-get install libfcl-dev`.
Otherwise, just compile FCL from source -- it's quick and easy, and its dependencies are all easily installed via `apt` or `brew`.
Note: the provided install scripts (under `build_dependencies`) can automate this process as well.

In order to install the Python wrappers for FCL, simply run
```shell
pip install python-fcl
```

## Objects

### Collision Objects
The primary construct in FCL is the `CollisionObject`, which forms the backbone of all collision and distance computations.
A `CollisionObject` consists of two components -- its geometry, defined by a `CollisionGeometry` object, and its pose, defined by a `Transform` object.

#### Collision Geometries
There are two main types of `CollisionGeometry` objects -- geometric primitives, such as boxes and spheres,
and arbitrary triangular meshes.
Here's some examples of how to instantiate geometric primitives.
Note that the box, sphere, ellipsoid, capsule, cone, and cylinder are all centered at the origin.

```python
import numpy as np
import fcl

v1 = np.array([1.0, 2.0, 3.0])
v2 = np.array([2.0, 1.0, 3.0])
v3 = np.array([3.0, 2.0, 1.0])
x, y, z = 1, 2, 3
rad, lz = 1.0, 3.0
n = np.array([1.0, 0.0, 0.0])
d = 5.0

t = fcl.TriangleP(v1, v2, v3) # Triangle defined by three points
b = fcl.Box(x, y, z)          # Axis-aligned box with given side lengths
s = fcl.Sphere(rad)           # Sphere with given radius
e = fcl.Ellipsoid(x, y, z)    # Axis-aligned ellipsoid with given radii
c = fcl.Capsule(rad, lz)      # Capsule with given radius and height along z-axis
c = fcl.Cone(rad, lz)         # Cone with given radius and cylinder height along z-axis
c = fcl.Cylinder(rad, lz)     # Cylinder with given radius and height along z-axis
h = fcl.Halfspace(n, d)       # Half-space defined by {x : <n, x> < d}
p = fcl.Plane(n, d)           # Plane defined by {x : <n, x> = d}
```

Triangular meshes are wrapped by the `BVHModel` class, and they are instantiated a bit differently.
```python
verts = np.array([[1.0, 1.0, 1.0],
                  [2.0, 1.0, 1.0],
                  [1.0, 2.0, 1.0],
                  [1.0, 1.0, 2.0]])
tris  = np.array([[0,2,1],
                  [0,3,2],
                  [0,1,3],
                  [1,2,3]])

m = fcl.BVHModel()
m.beginModel(len(verts), len(tris))
m.addSubModel(verts, tris)
m.endModel()
```

If the mesh is convex, such as the example above, you can also wrap it in the `Convex` class. Note that the instantiation is a bit different because the `Convex` class supports arbitrary polygons for each face of the convex object.
```python
verts = np.array([[1.0, 1.0, 1.0],
                  [2.0, 1.0, 1.0],
                  [1.0, 2.0, 1.0],
                  [1.0, 1.0, 2.0]])
tris  = np.array([[0,2,1],
                  [0,3,2],
                  [0,1,3],
                  [1,2,3]])
faces = np.concatenate((3 * np.ones((len(tris), 1), dtype=np.int64), tris), axis=1).flatten()
c = fcl.Convex(verts, len(tris), faces)
```

#### Transforms
In addition to a `CollisionGeometry`, a `CollisionObject` requires a `Transform`, which tells FCL where the `CollisionGeometry` is actually located in the world.
All `Transform` objects specify a rigid transformation (i.e. a rotation and a translation).
The translation is always a 3-entry vector, while the rotation can be specified by a 3x3 rotation matrix or a 4-entry quaternion.

Here are some examples of possible ways to instantiate and manipulate a `Transform`.

```python
R = np.array([[0.0, -1.0, 0.0],
              [1.0,  0.0, 0.0],
              [0.0,  0.0, 1.0]])
T = np.array([1.0, 2.0, 3.0])
q = np.array([0.707, 0.0, 0.0, 0.707])

tf = fcl.Transform()     # Default gives identity transform
tf = fcl.Transform(q)    # Quaternion rotation, zero translation
tf = fcl.Transform(R)    # Matrix rotation, zero translation
tf = fcl.Transform(T)    # Translation, identity rotation
tf = fcl.Transform(q, T) # Quaternion rotation and translation
tf = fcl.Transform(R, T) # Matrix rotation and translation
tf1 = fcl.Transform(tf)  # Can also initialize with another Transform
```

Now, given a `CollisionGeometry` and a `Transform`, we can create a `CollisionObject`:

```python
t = fcl.Transform(R, T)
b = fcl.Box(x, y, z)
obj = fcl.CollisionObject(b, t)
```

The transform of a collision object can be modified in-place:
```python
t1 = fcl.Transform(R1, T1)
obj.setTransform(t1)   # Using a transform
obj.setRotation(R2)    # Specifying components individually
obj.setTranslation(T2)
obj.setQuatRotation(q2)
```
## Commands

### Pairwise Operations

Given a pair of collision objects, this library supports three types of queries:
* __Collision Detection__
* __Distance Computation__
* __Continuous Collision Detection__

The interfaces for each of these operations follow a common pipeline.
First, a query request data structure is initialized and populated with parameters.
Then, an empty query response structure is initialized.
Finally, the query function is called with the two `CollisionObject` items, the request structure, and the response structure as arguments.
The query function returns a scalar result, and any additional information is stored in the query result data structure.
Examples of all three operations are shown below.

#### Collision Checking

```python
g1 = fcl.Box(1,2,3)
t1 = fcl.Transform()
o1 = fcl.CollisionObject(g1, t1)

g2 = fcl.Cone(1,3)
t2 = fcl.Transform()
o2 = fcl.CollisionObject(g2, t2)

request = fcl.CollisionRequest()
result = fcl.CollisionResult()

ret = fcl.collide(o1, o2, request, result)
```

After calling `fcl.collide()`, `ret` contains the number of contacts generated between the two objects,
and `result` contains information about the collision and contacts.
For more information about available parameters for collision requests and results,
see `fcl/collision_data.py`.

#### Distance Checking

```python
g1 = fcl.Box(1,2,3)
t1 = fcl.Transform()
o1 = fcl.CollisionObject(g1, t1)

g2 = fcl.Cone(1,3)
t2 = fcl.Transform()
o2 = fcl.CollisionObject(g2, t2)

request = fcl.DistanceRequest()
result = fcl.DistanceResult()

ret = fcl.distance(o1, o2, request, result)
```

After calling `fcl.distance()`, `ret` contains the minimum distance between the two objects
and `result` contains information about the closest points on the objects.
If `ret` is negative, the objects are in collision.
For more information about available parameters for distance requests and results,
see `fcl/collision_data.py`.

#### Continuous Collision Checking

```python
g1 = fcl.Box(1,2,3)
t1 = fcl.Transform()
o1 = fcl.CollisionObject(g1, t1)
t1_final = fcl.Transform(np.array([1.0, 0.0, 0.0]))

g2 = fcl.Cone(1,3)
t2 = fcl.Transform()
o2 = fcl.CollisionObject(g2, t2)
t2_final = fcl.Transform(np.array([-1.0, 0.0, 0.0]))

request = fcl.ContinuousCollisionRequest()
result = fcl.ContinuousCollisionResult()

ret = fcl.continuousCollide(o1, t1_final, o2, t2_final, request, result)
```

After calling `fcl.continuousCollide()`, `ret` contains the time of contact in (0,1), or 1.0 if the objects did not collide during movement from their initial poses to their final poses.
Additionally, `result` contains information about the collision time and status.
For more information about available parameters for continuous collision requests and results,
see `fcl/collision_data.py`.

### Broadphase Checking
In addition to pairwise checks, FCL supports broadphase collision/distance queries between groups of objects and can avoid n-squared complexity.
Specifically, `CollisionObject` items are registered with a `DynamicAABBTreeCollisionManager` before collision or distance checking is performed.

Three types of checks are possible:
* One-to-many: Collision/distance checking between a stand-alone `CollisionObject` and all objects managed by a manager.
* Internal many-to-many: Pairwise collision/distance checking between all pairs of objects managed by a manager.
* Group many-to-many: Pairwise collision/distance checking between items from two managers.

In general, the collision methods can return all contact pairs, while the distance methods will just return the single closest distance between any pair of objects.
Here are some examples of managed collision checking.
The methods take a callback function -- use the defaults from `python-fcl` unless you have a special use case -- and a wrapper object, either `CollisionData` or `DistanceData`, that wraps a request-response pair. This object also has a field, `done`, that tells the recursive collision checker when to quit.
Be sure to use a new `Data` object for each request or set the `done` attribute to `False` before reusing one.

```python
objs1 = [fcl.CollisionObject(box), fcl.CollisionObject(sphere)]
objs2 = [fcl.CollisionObject(cone), fcl.CollisionObject(mesh)]

manager1 = fcl.DynamicAABBTreeCollisionManager()
manager2 = fcl.DynamicAABBTreeCollisionManager()

manager1.registerObjects(objs1)
manager2.registerObjects(objs2)

manager1.setup()
manager2.setup()

#=====================================================================
# Managed internal (sub-n^2) collision checking
#=====================================================================
cdata = fcl.CollisionData()
manager1.collide(cdata, fcl.defaultCollisionCallback)
print 'Collision within manager 1?: {}'.format(cdata.result.is_collision)

##=====================================================================
## Managed internal (sub-n^2) distance checking
##=====================================================================
ddata = fcl.DistanceData()
manager1.distance(ddata, fcl.defaultDistanceCallback)
print 'Closest distance within manager 1?: {}'.format(ddata.result.min_distance)

#=====================================================================
# Managed one to many collision checking
#=====================================================================
req = fcl.CollisionRequest(num_max_contacts=100, enable_contact=True)
rdata = fcl.CollisionData(request = req)

manager1.collide(fcl.CollisionObject(mesh), rdata, fcl.defaultCollisionCallback)
print 'Collision between manager 1 and Mesh?: {}'.format(rdata.result.is_collision)
print 'Contacts:'
for c in rdata.result.contacts:
    print '\tO1: {}, O2: {}'.format(c.o1, c.o2)

#=====================================================================
# Managed many to many collision checking
#=====================================================================
rdata = fcl.CollisionData(request = req)
manager1.collide(manager2, rdata, fcl.defaultCollisionCallback)
print 'Collision between manager 1 and manager 2?: {}'.format(rdata.result.is_collision)
print 'Contacts:'
for c in rdata.result.contacts:
    print '\tO1: {}, O2: {}'.format(c.o1, c.o2)
```

### Extracting Which Objects Are In Collision

To determine which objects are actually in collision, you'll need parse the collision data's contacts and use an additional external data structure.

Specifically, the `fcl.CollisionData` object that is passed into any `collide()` call has an internal set of contacts, stored in `cdata.result.contacts`.
This object is a simple list of `Contact` objects, each of which represents a contact point between two objects.
Each contact object has two attributes, `o1` and `o2`, that store references to the original `fcl.CollisionGeometry` objects were created for the two `fcl.CollisionObject` objects that are in collision.
This is a bit wonky, but it's part of the FCL API.

Therefore, all you have to do is make a map from the `id` of each `fcl.CollisionGeometry` object to either the actual `fcl.CollisionObject` it corresponds to or to some string identifier for each object.
Then, you can iterate over `cdata.result.contacts`, extract `o1` and `o2`, apply the built-in `id()` function to each, and find the corresponding data you want in your map.

Here's an example.

```python
import fcl
import numpy as np

# Create collision geometry and objects
geom1 = fcl.Cylinder(1.0, 1.0)
obj1 = fcl.CollisionObject(geom1)

geom2 = fcl.Cylinder(1.0, 1.0)
obj2 = fcl.CollisionObject(geom2, fcl.Transform(np.array([0.0, 0.0, 0.3])))

geom3 = fcl.Cylinder(1.0, 1.0)
obj3 = fcl.CollisionObject(geom3, fcl.Transform(np.array([0.0, 0.0, 3.0])))

geoms = [geom1, geom2, geom3]
objs = [obj1, obj2, obj3]
names = ['obj1', 'obj2', 'obj3']

# Create map from geometry IDs to objects
geom_id_to_obj = { id(geom) : obj for geom, obj in zip(geoms, objs) }

# Create map from geometry IDs to string names
geom_id_to_name = { id(geom) : name for geom, name in zip(geoms, names) }

# Create manager
manager = fcl.DynamicAABBTreeCollisionManager()
manager.registerObjects(objs)
manager.setup()

# Create collision request structure
crequest = fcl.CollisionRequest(num_max_contacts=100, enable_contact=True)
cdata = fcl.CollisionData(crequest, fcl.CollisionResult())

# Run collision request
manager.collide(cdata, fcl.defaultCollisionCallback)

# Extract collision data from contacts and use that to infer set of
# objects that are in collision
objs_in_collision = set()

for contact in cdata.result.contacts:
    # Extract collision geometries that are in contact
    coll_geom_0 = contact.o1
    coll_geom_1 = contact.o2

    # Get their names
    coll_names = [geom_id_to_name[id(coll_geom_0)], geom_id_to_name[id(coll_geom_1)]]
    coll_names = tuple(sorted(coll_names))
    objs_in_collision.add(coll_names)

for coll_pair in objs_in_collision:
    print('Object {} in collision with object {}!'.format(coll_pair[0], coll_pair[1]))
```

```
>>> Object obj1 in collision with object obj2!
```
For more examples, see `examples/example.py`.

            

Raw data

            {
    "_id": null,
    "home_page": "",
    "name": "python-fcl",
    "maintainer": "",
    "docs_url": null,
    "requires_python": ">=3.7",
    "maintainer_email": "Matthew Matl <mmatl@eecs.berkeley.edu>",
    "keywords": "fcl collision distance",
    "author": "Michael Dawson-Haggerty, See contributor list",
    "author_email": "Jelle Feringa <jelleferinga@gmail.com>, Matthew Matl <mmatl@eecs.berkeley.edu>, Shirokuma <rootstock_acg@yahoo.co.jp>",
    "download_url": "",
    "platform": null,
    "description": "# python-fcl\n### Python Interface for the Flexible Collision Library\n\nPython-FCL is an (unofficial) Python interface for the [Flexible Collision Library (FCL)](https://github.com/flexible-collision-library/fcl),\nan excellent C++ library for performing proximity and collision queries on pairs of geometric models.\nCurrently, this package is targeted for FCL 0.7.0.\n\nThis package supports three types of proximity queries for pairs of geometric models:\n* __Collision Detection__: Detecting whether two models overlap (and optionally where).\n* __Distance Computation__: Computing the minimum distance between a pair of models.\n* __Continuous Collision Detection__: Detecting whether two models overlap during motion (and optionally the time of contact).\n\nThis package also supports most of FCL's object shapes, including:\n* TriangleP\n* Box\n* Sphere\n* Ellipsoid\n* Capsule\n* Cone\n* Convex\n* Cylinder\n* Half-Space\n* Plane\n* Mesh\n* OcTree\n\n## Installation\n\nFirst, install [octomap](https://github.com/OctoMap/octomap), which is necessary to use OcTree. For Ubuntu, use `sudo apt-get install liboctomap-dev`.\nSecond, install FCL using the instructions provided [here](https://github.com/flexible-collision-library/fcl).\nIf you're on Ubuntu 17.04 or newer, you can install FCL using `sudo apt-get install libfcl-dev`.\nOtherwise, just compile FCL from source -- it's quick and easy, and its dependencies are all easily installed via `apt` or `brew`.\nNote: the provided install scripts (under `build_dependencies`) can automate this process as well.\n\nIn order to install the Python wrappers for FCL, simply run\n```shell\npip install python-fcl\n```\n\n## Objects\n\n### Collision Objects\nThe primary construct in FCL is the `CollisionObject`, which forms the backbone of all collision and distance computations.\nA `CollisionObject` consists of two components -- its geometry, defined by a `CollisionGeometry` object, and its pose, defined by a `Transform` object.\n\n#### Collision Geometries\nThere are two main types of `CollisionGeometry` objects -- geometric primitives, such as boxes and spheres,\nand arbitrary triangular meshes.\nHere's some examples of how to instantiate geometric primitives.\nNote that the box, sphere, ellipsoid, capsule, cone, and cylinder are all centered at the origin.\n\n```python\nimport numpy as np\nimport fcl\n\nv1 = np.array([1.0, 2.0, 3.0])\nv2 = np.array([2.0, 1.0, 3.0])\nv3 = np.array([3.0, 2.0, 1.0])\nx, y, z = 1, 2, 3\nrad, lz = 1.0, 3.0\nn = np.array([1.0, 0.0, 0.0])\nd = 5.0\n\nt = fcl.TriangleP(v1, v2, v3) # Triangle defined by three points\nb = fcl.Box(x, y, z)          # Axis-aligned box with given side lengths\ns = fcl.Sphere(rad)           # Sphere with given radius\ne = fcl.Ellipsoid(x, y, z)    # Axis-aligned ellipsoid with given radii\nc = fcl.Capsule(rad, lz)      # Capsule with given radius and height along z-axis\nc = fcl.Cone(rad, lz)         # Cone with given radius and cylinder height along z-axis\nc = fcl.Cylinder(rad, lz)     # Cylinder with given radius and height along z-axis\nh = fcl.Halfspace(n, d)       # Half-space defined by {x : <n, x> < d}\np = fcl.Plane(n, d)           # Plane defined by {x : <n, x> = d}\n```\n\nTriangular meshes are wrapped by the `BVHModel` class, and they are instantiated a bit differently.\n```python\nverts = np.array([[1.0, 1.0, 1.0],\n                  [2.0, 1.0, 1.0],\n                  [1.0, 2.0, 1.0],\n                  [1.0, 1.0, 2.0]])\ntris  = np.array([[0,2,1],\n                  [0,3,2],\n                  [0,1,3],\n                  [1,2,3]])\n\nm = fcl.BVHModel()\nm.beginModel(len(verts), len(tris))\nm.addSubModel(verts, tris)\nm.endModel()\n```\n\nIf the mesh is convex, such as the example above, you can also wrap it in the `Convex` class. Note that the instantiation is a bit different because the `Convex` class supports arbitrary polygons for each face of the convex object.\n```python\nverts = np.array([[1.0, 1.0, 1.0],\n                  [2.0, 1.0, 1.0],\n                  [1.0, 2.0, 1.0],\n                  [1.0, 1.0, 2.0]])\ntris  = np.array([[0,2,1],\n                  [0,3,2],\n                  [0,1,3],\n                  [1,2,3]])\nfaces = np.concatenate((3 * np.ones((len(tris), 1), dtype=np.int64), tris), axis=1).flatten()\nc = fcl.Convex(verts, len(tris), faces)\n```\n\n#### Transforms\nIn addition to a `CollisionGeometry`, a `CollisionObject` requires a `Transform`, which tells FCL where the `CollisionGeometry` is actually located in the world.\nAll `Transform` objects specify a rigid transformation (i.e. a rotation and a translation).\nThe translation is always a 3-entry vector, while the rotation can be specified by a 3x3 rotation matrix or a 4-entry quaternion.\n\nHere are some examples of possible ways to instantiate and manipulate a `Transform`.\n\n```python\nR = np.array([[0.0, -1.0, 0.0],\n              [1.0,  0.0, 0.0],\n              [0.0,  0.0, 1.0]])\nT = np.array([1.0, 2.0, 3.0])\nq = np.array([0.707, 0.0, 0.0, 0.707])\n\ntf = fcl.Transform()     # Default gives identity transform\ntf = fcl.Transform(q)    # Quaternion rotation, zero translation\ntf = fcl.Transform(R)    # Matrix rotation, zero translation\ntf = fcl.Transform(T)    # Translation, identity rotation\ntf = fcl.Transform(q, T) # Quaternion rotation and translation\ntf = fcl.Transform(R, T) # Matrix rotation and translation\ntf1 = fcl.Transform(tf)  # Can also initialize with another Transform\n```\n\nNow, given a `CollisionGeometry` and a `Transform`, we can create a `CollisionObject`:\n\n```python\nt = fcl.Transform(R, T)\nb = fcl.Box(x, y, z)\nobj = fcl.CollisionObject(b, t)\n```\n\nThe transform of a collision object can be modified in-place:\n```python\nt1 = fcl.Transform(R1, T1)\nobj.setTransform(t1)   # Using a transform\nobj.setRotation(R2)    # Specifying components individually\nobj.setTranslation(T2)\nobj.setQuatRotation(q2)\n```\n## Commands\n\n### Pairwise Operations\n\nGiven a pair of collision objects, this library supports three types of queries:\n* __Collision Detection__\n* __Distance Computation__\n* __Continuous Collision Detection__\n\nThe interfaces for each of these operations follow a common pipeline.\nFirst, a query request data structure is initialized and populated with parameters.\nThen, an empty query response structure is initialized.\nFinally, the query function is called with the two `CollisionObject` items, the request structure, and the response structure as arguments.\nThe query function returns a scalar result, and any additional information is stored in the query result data structure.\nExamples of all three operations are shown below.\n\n#### Collision Checking\n\n```python\ng1 = fcl.Box(1,2,3)\nt1 = fcl.Transform()\no1 = fcl.CollisionObject(g1, t1)\n\ng2 = fcl.Cone(1,3)\nt2 = fcl.Transform()\no2 = fcl.CollisionObject(g2, t2)\n\nrequest = fcl.CollisionRequest()\nresult = fcl.CollisionResult()\n\nret = fcl.collide(o1, o2, request, result)\n```\n\nAfter calling `fcl.collide()`, `ret` contains the number of contacts generated between the two objects,\nand `result` contains information about the collision and contacts.\nFor more information about available parameters for collision requests and results,\nsee `fcl/collision_data.py`.\n\n#### Distance Checking\n\n```python\ng1 = fcl.Box(1,2,3)\nt1 = fcl.Transform()\no1 = fcl.CollisionObject(g1, t1)\n\ng2 = fcl.Cone(1,3)\nt2 = fcl.Transform()\no2 = fcl.CollisionObject(g2, t2)\n\nrequest = fcl.DistanceRequest()\nresult = fcl.DistanceResult()\n\nret = fcl.distance(o1, o2, request, result)\n```\n\nAfter calling `fcl.distance()`, `ret` contains the minimum distance between the two objects\nand `result` contains information about the closest points on the objects.\nIf `ret` is negative, the objects are in collision.\nFor more information about available parameters for distance requests and results,\nsee `fcl/collision_data.py`.\n\n#### Continuous Collision Checking\n\n```python\ng1 = fcl.Box(1,2,3)\nt1 = fcl.Transform()\no1 = fcl.CollisionObject(g1, t1)\nt1_final = fcl.Transform(np.array([1.0, 0.0, 0.0]))\n\ng2 = fcl.Cone(1,3)\nt2 = fcl.Transform()\no2 = fcl.CollisionObject(g2, t2)\nt2_final = fcl.Transform(np.array([-1.0, 0.0, 0.0]))\n\nrequest = fcl.ContinuousCollisionRequest()\nresult = fcl.ContinuousCollisionResult()\n\nret = fcl.continuousCollide(o1, t1_final, o2, t2_final, request, result)\n```\n\nAfter calling `fcl.continuousCollide()`, `ret` contains the time of contact in (0,1), or 1.0 if the objects did not collide during movement from their initial poses to their final poses.\nAdditionally, `result` contains information about the collision time and status.\nFor more information about available parameters for continuous collision requests and results,\nsee `fcl/collision_data.py`.\n\n### Broadphase Checking\nIn addition to pairwise checks, FCL supports broadphase collision/distance queries between groups of objects and can avoid n-squared complexity.\nSpecifically, `CollisionObject` items are registered with a `DynamicAABBTreeCollisionManager` before collision or distance checking is performed.\n\nThree types of checks are possible:\n* One-to-many: Collision/distance checking between a stand-alone `CollisionObject` and all objects managed by a manager.\n* Internal many-to-many: Pairwise collision/distance checking between all pairs of objects managed by a manager.\n* Group many-to-many: Pairwise collision/distance checking between items from two managers.\n\nIn general, the collision methods can return all contact pairs, while the distance methods will just return the single closest distance between any pair of objects.\nHere are some examples of managed collision checking.\nThe methods take a callback function -- use the defaults from `python-fcl` unless you have a special use case -- and a wrapper object, either `CollisionData` or `DistanceData`, that wraps a request-response pair. This object also has a field, `done`, that tells the recursive collision checker when to quit.\nBe sure to use a new `Data` object for each request or set the `done` attribute to `False` before reusing one.\n\n```python\nobjs1 = [fcl.CollisionObject(box), fcl.CollisionObject(sphere)]\nobjs2 = [fcl.CollisionObject(cone), fcl.CollisionObject(mesh)]\n\nmanager1 = fcl.DynamicAABBTreeCollisionManager()\nmanager2 = fcl.DynamicAABBTreeCollisionManager()\n\nmanager1.registerObjects(objs1)\nmanager2.registerObjects(objs2)\n\nmanager1.setup()\nmanager2.setup()\n\n#=====================================================================\n# Managed internal (sub-n^2) collision checking\n#=====================================================================\ncdata = fcl.CollisionData()\nmanager1.collide(cdata, fcl.defaultCollisionCallback)\nprint 'Collision within manager 1?: {}'.format(cdata.result.is_collision)\n\n##=====================================================================\n## Managed internal (sub-n^2) distance checking\n##=====================================================================\nddata = fcl.DistanceData()\nmanager1.distance(ddata, fcl.defaultDistanceCallback)\nprint 'Closest distance within manager 1?: {}'.format(ddata.result.min_distance)\n\n#=====================================================================\n# Managed one to many collision checking\n#=====================================================================\nreq = fcl.CollisionRequest(num_max_contacts=100, enable_contact=True)\nrdata = fcl.CollisionData(request = req)\n\nmanager1.collide(fcl.CollisionObject(mesh), rdata, fcl.defaultCollisionCallback)\nprint 'Collision between manager 1 and Mesh?: {}'.format(rdata.result.is_collision)\nprint 'Contacts:'\nfor c in rdata.result.contacts:\n    print '\\tO1: {}, O2: {}'.format(c.o1, c.o2)\n\n#=====================================================================\n# Managed many to many collision checking\n#=====================================================================\nrdata = fcl.CollisionData(request = req)\nmanager1.collide(manager2, rdata, fcl.defaultCollisionCallback)\nprint 'Collision between manager 1 and manager 2?: {}'.format(rdata.result.is_collision)\nprint 'Contacts:'\nfor c in rdata.result.contacts:\n    print '\\tO1: {}, O2: {}'.format(c.o1, c.o2)\n```\n\n### Extracting Which Objects Are In Collision\n\nTo determine which objects are actually in collision, you'll need parse the collision data's contacts and use an additional external data structure.\n\nSpecifically, the `fcl.CollisionData` object that is passed into any `collide()` call has an internal set of contacts, stored in `cdata.result.contacts`.\nThis object is a simple list of `Contact` objects, each of which represents a contact point between two objects.\nEach contact object has two attributes, `o1` and `o2`, that store references to the original `fcl.CollisionGeometry` objects were created for the two `fcl.CollisionObject` objects that are in collision.\nThis is a bit wonky, but it's part of the FCL API.\n\nTherefore, all you have to do is make a map from the `id` of each `fcl.CollisionGeometry` object to either the actual `fcl.CollisionObject` it corresponds to or to some string identifier for each object.\nThen, you can iterate over `cdata.result.contacts`, extract `o1` and `o2`, apply the built-in `id()` function to each, and find the corresponding data you want in your map.\n\nHere's an example.\n\n```python\nimport fcl\nimport numpy as np\n\n# Create collision geometry and objects\ngeom1 = fcl.Cylinder(1.0, 1.0)\nobj1 = fcl.CollisionObject(geom1)\n\ngeom2 = fcl.Cylinder(1.0, 1.0)\nobj2 = fcl.CollisionObject(geom2, fcl.Transform(np.array([0.0, 0.0, 0.3])))\n\ngeom3 = fcl.Cylinder(1.0, 1.0)\nobj3 = fcl.CollisionObject(geom3, fcl.Transform(np.array([0.0, 0.0, 3.0])))\n\ngeoms = [geom1, geom2, geom3]\nobjs = [obj1, obj2, obj3]\nnames = ['obj1', 'obj2', 'obj3']\n\n# Create map from geometry IDs to objects\ngeom_id_to_obj = { id(geom) : obj for geom, obj in zip(geoms, objs) }\n\n# Create map from geometry IDs to string names\ngeom_id_to_name = { id(geom) : name for geom, name in zip(geoms, names) }\n\n# Create manager\nmanager = fcl.DynamicAABBTreeCollisionManager()\nmanager.registerObjects(objs)\nmanager.setup()\n\n# Create collision request structure\ncrequest = fcl.CollisionRequest(num_max_contacts=100, enable_contact=True)\ncdata = fcl.CollisionData(crequest, fcl.CollisionResult())\n\n# Run collision request\nmanager.collide(cdata, fcl.defaultCollisionCallback)\n\n# Extract collision data from contacts and use that to infer set of\n# objects that are in collision\nobjs_in_collision = set()\n\nfor contact in cdata.result.contacts:\n    # Extract collision geometries that are in contact\n    coll_geom_0 = contact.o1\n    coll_geom_1 = contact.o2\n\n    # Get their names\n    coll_names = [geom_id_to_name[id(coll_geom_0)], geom_id_to_name[id(coll_geom_1)]]\n    coll_names = tuple(sorted(coll_names))\n    objs_in_collision.add(coll_names)\n\nfor coll_pair in objs_in_collision:\n    print('Object {} in collision with object {}!'.format(coll_pair[0], coll_pair[1]))\n```\n\n```\n>>> Object obj1 in collision with object obj2!\n```\nFor more examples, see `examples/example.py`.\n",
    "bugtrack_url": null,
    "license": "BSD",
    "summary": "Python bindings for the Flexible Collision Library",
    "version": "0.7.0.6",
    "project_urls": {
        "Homepage": "https://github.com/berkeleyautomation/python-fcl"
    },
    "split_keywords": [
        "fcl",
        "collision",
        "distance"
    ],
    "urls": [
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "b034ce51c5813719556d4d41018ebecc1e8e933f66993021c826e56d5dcaaab6",
                "md5": "cc212a6ab64b8f8ac7da029b1b6b38a5",
                "sha256": "c3a396cdb02f6f9068b1b2dcabea69ba14f5eb3d7fcbb03883e48675d5a93fbf"
            },
            "downloads": -1,
            "filename": "python_fcl-0.7.0.6-cp310-cp310-macosx_10_9_x86_64.whl",
            "has_sig": false,
            "md5_digest": "cc212a6ab64b8f8ac7da029b1b6b38a5",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.7",
            "size": 1621012,
            "upload_time": "2024-03-10T21:30:58",
            "upload_time_iso_8601": "2024-03-10T21:30:58.925102Z",
            "url": "https://files.pythonhosted.org/packages/b0/34/ce51c5813719556d4d41018ebecc1e8e933f66993021c826e56d5dcaaab6/python_fcl-0.7.0.6-cp310-cp310-macosx_10_9_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "2475bca6398cdfab31505c9916b630e4b902f4379240af1172de4db17036030a",
                "md5": "809c9c7c912134e39396f0da385cdcf5",
                "sha256": "81e887768209f607f68428891f2c25f8a52b8ed6e434d781d153e114b790387a"
            },
            "downloads": -1,
            "filename": "python_fcl-0.7.0.6-cp310-cp310-macosx_11_0_arm64.whl",
            "has_sig": false,
            "md5_digest": "809c9c7c912134e39396f0da385cdcf5",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.7",
            "size": 1420721,
            "upload_time": "2024-03-10T21:31:01",
            "upload_time_iso_8601": "2024-03-10T21:31:01.857049Z",
            "url": "https://files.pythonhosted.org/packages/24/75/bca6398cdfab31505c9916b630e4b902f4379240af1172de4db17036030a/python_fcl-0.7.0.6-cp310-cp310-macosx_11_0_arm64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "79c78a68f96cdf740bf00c3fd45b7eead79e24cc53bc6ab9602c33d2e2bbf232",
                "md5": "f2ecc35d2ade327d75e0c68a7dc8d8b0",
                "sha256": "66f2114ddebaf9dd0b218c0864788bb96bfd74d506c3c9bd15daa60d22501e64"
            },
            "downloads": -1,
            "filename": "python_fcl-0.7.0.6-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "f2ecc35d2ade327d75e0c68a7dc8d8b0",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.7",
            "size": 4319967,
            "upload_time": "2024-03-10T21:31:04",
            "upload_time_iso_8601": "2024-03-10T21:31:04.448707Z",
            "url": "https://files.pythonhosted.org/packages/79/c7/8a68f96cdf740bf00c3fd45b7eead79e24cc53bc6ab9602c33d2e2bbf232/python_fcl-0.7.0.6-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "1270043c406191c1d640e626be26fb2b133a0969c777c48cd2b1ac8e7a728df4",
                "md5": "c3447b4fcc0ab98ae2736d27257e0076",
                "sha256": "c3f623fac8efceba63652f44e58dfd895beb02afb77b7a57550c69704d5656cf"
            },
            "downloads": -1,
            "filename": "python_fcl-0.7.0.6-cp310-cp310-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "c3447b4fcc0ab98ae2736d27257e0076",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.7",
            "size": 1025811,
            "upload_time": "2024-03-10T21:31:06",
            "upload_time_iso_8601": "2024-03-10T21:31:06.917407Z",
            "url": "https://files.pythonhosted.org/packages/12/70/043c406191c1d640e626be26fb2b133a0969c777c48cd2b1ac8e7a728df4/python_fcl-0.7.0.6-cp310-cp310-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "7dd7a495005b883b65c95e57f30c94f2cb2ce981acfcfd7ec6f083dbf98799b1",
                "md5": "da14939af5b618381159f8bd5e1b0e29",
                "sha256": "030a599429c5674957ed3bf676fc1fcff0c002bd086cd39cb7c0f6827fc000bb"
            },
            "downloads": -1,
            "filename": "python_fcl-0.7.0.6-cp311-cp311-macosx_10_9_x86_64.whl",
            "has_sig": false,
            "md5_digest": "da14939af5b618381159f8bd5e1b0e29",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.7",
            "size": 1616825,
            "upload_time": "2024-03-10T21:31:08",
            "upload_time_iso_8601": "2024-03-10T21:31:08.693955Z",
            "url": "https://files.pythonhosted.org/packages/7d/d7/a495005b883b65c95e57f30c94f2cb2ce981acfcfd7ec6f083dbf98799b1/python_fcl-0.7.0.6-cp311-cp311-macosx_10_9_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "7409ef0c4379e4f51a326e1378303ee383b40f91aa6def01fbdf38edc3578dfc",
                "md5": "c71a1cc6dac5a4e85bef6cc2232e392e",
                "sha256": "fb51ade2f2e755f430a7e67d7226d2f79b319b2c56bf31b46278488f773eac63"
            },
            "downloads": -1,
            "filename": "python_fcl-0.7.0.6-cp311-cp311-macosx_11_0_arm64.whl",
            "has_sig": false,
            "md5_digest": "c71a1cc6dac5a4e85bef6cc2232e392e",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.7",
            "size": 1420038,
            "upload_time": "2024-03-10T21:31:10",
            "upload_time_iso_8601": "2024-03-10T21:31:10.357507Z",
            "url": "https://files.pythonhosted.org/packages/74/09/ef0c4379e4f51a326e1378303ee383b40f91aa6def01fbdf38edc3578dfc/python_fcl-0.7.0.6-cp311-cp311-macosx_11_0_arm64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "7f4f14f459dfafd8b6f150f569e1f04a189233a84269dddab9ff3cdcab166d5b",
                "md5": "6aee05a7a8f312a41d3fe7e6f5074b5b",
                "sha256": "d2bbd86356ee79b9350b717c2f137bd9726b9fb6d82db4e70b17e99520f77e81"
            },
            "downloads": -1,
            "filename": "python_fcl-0.7.0.6-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "6aee05a7a8f312a41d3fe7e6f5074b5b",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.7",
            "size": 4381175,
            "upload_time": "2024-03-10T21:31:12",
            "upload_time_iso_8601": "2024-03-10T21:31:12.173208Z",
            "url": "https://files.pythonhosted.org/packages/7f/4f/14f459dfafd8b6f150f569e1f04a189233a84269dddab9ff3cdcab166d5b/python_fcl-0.7.0.6-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "9d25e07849027a3688e3b1de3267ad13276e960c10ca82d8e7d29bdb9418cee6",
                "md5": "208fb63c5e41f3d99af793a22bc39634",
                "sha256": "849ccaa5dcdc3ee47f899e05234968cc664e608ad0dfb3c57a0e6f8d2c4ba5b0"
            },
            "downloads": -1,
            "filename": "python_fcl-0.7.0.6-cp311-cp311-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "208fb63c5e41f3d99af793a22bc39634",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.7",
            "size": 1025066,
            "upload_time": "2024-03-10T21:31:13",
            "upload_time_iso_8601": "2024-03-10T21:31:13.817869Z",
            "url": "https://files.pythonhosted.org/packages/9d/25/e07849027a3688e3b1de3267ad13276e960c10ca82d8e7d29bdb9418cee6/python_fcl-0.7.0.6-cp311-cp311-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "d53af63c4b7b11ca62d1ac2e24ec889b453e6a427ece53d56a8f8f6042a13b74",
                "md5": "44af0d8667eee58c0dd7a74a7baadbbd",
                "sha256": "38365565342506d4def9cf05b8d308712a840db923aaf6afd6f18f4d310756b8"
            },
            "downloads": -1,
            "filename": "python_fcl-0.7.0.6-cp312-cp312-macosx_10_9_x86_64.whl",
            "has_sig": false,
            "md5_digest": "44af0d8667eee58c0dd7a74a7baadbbd",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.7",
            "size": 1614294,
            "upload_time": "2024-03-10T21:31:17",
            "upload_time_iso_8601": "2024-03-10T21:31:17.007272Z",
            "url": "https://files.pythonhosted.org/packages/d5/3a/f63c4b7b11ca62d1ac2e24ec889b453e6a427ece53d56a8f8f6042a13b74/python_fcl-0.7.0.6-cp312-cp312-macosx_10_9_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "08be4781f7da7dde661d32925c0a129d268e03e6bbe00aaa86e48af59c70da61",
                "md5": "0b3b93a7c83fdd2503b971c78bb920d6",
                "sha256": "3783f1f806006d78641e9b8cd5c2ba09af0f5e750b263582fe5f0103d7822251"
            },
            "downloads": -1,
            "filename": "python_fcl-0.7.0.6-cp312-cp312-macosx_11_0_arm64.whl",
            "has_sig": false,
            "md5_digest": "0b3b93a7c83fdd2503b971c78bb920d6",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.7",
            "size": 1420589,
            "upload_time": "2024-03-10T21:31:18",
            "upload_time_iso_8601": "2024-03-10T21:31:18.947460Z",
            "url": "https://files.pythonhosted.org/packages/08/be/4781f7da7dde661d32925c0a129d268e03e6bbe00aaa86e48af59c70da61/python_fcl-0.7.0.6-cp312-cp312-macosx_11_0_arm64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "c000cdb2afde2d7700d26b2df90bc40d72d18585e4f9a5d63d49b210a8d6bad0",
                "md5": "e824c2643f382d9f0344bc206a6524a2",
                "sha256": "bf5c46915eec67343c4072ab13d5704edd58f19b4cb0040a1f9014a1f1a27af2"
            },
            "downloads": -1,
            "filename": "python_fcl-0.7.0.6-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "e824c2643f382d9f0344bc206a6524a2",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.7",
            "size": 4339925,
            "upload_time": "2024-03-10T21:31:20",
            "upload_time_iso_8601": "2024-03-10T21:31:20.787702Z",
            "url": "https://files.pythonhosted.org/packages/c0/00/cdb2afde2d7700d26b2df90bc40d72d18585e4f9a5d63d49b210a8d6bad0/python_fcl-0.7.0.6-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "b41b601a5da20f58bddfcc87ed7a575c682959b20e045bc0b7c0b3124226b447",
                "md5": "21d813de5e01075d65b42835f2abda7f",
                "sha256": "f48b2e19f41ee3506593a0e801896f3b5dd6d555d12f6c3fdd6cfaefc0edfc74"
            },
            "downloads": -1,
            "filename": "python_fcl-0.7.0.6-cp312-cp312-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "21d813de5e01075d65b42835f2abda7f",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.7",
            "size": 1025392,
            "upload_time": "2024-03-10T21:31:22",
            "upload_time_iso_8601": "2024-03-10T21:31:22.599773Z",
            "url": "https://files.pythonhosted.org/packages/b4/1b/601a5da20f58bddfcc87ed7a575c682959b20e045bc0b7c0b3124226b447/python_fcl-0.7.0.6-cp312-cp312-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "4ac3480f937494909673d157ec5b6542cf32566f42bdeed1dd41f27e3024e827",
                "md5": "bb94395ccdc59a0567272174d7970669",
                "sha256": "c3c3b3ee8c0fb5b00381db7fc90df1bf8cced9624bb90387e623dc6eede493bd"
            },
            "downloads": -1,
            "filename": "python_fcl-0.7.0.6-cp37-cp37m-macosx_10_9_x86_64.whl",
            "has_sig": false,
            "md5_digest": "bb94395ccdc59a0567272174d7970669",
            "packagetype": "bdist_wheel",
            "python_version": "cp37",
            "requires_python": ">=3.7",
            "size": 1615010,
            "upload_time": "2024-03-10T21:31:24",
            "upload_time_iso_8601": "2024-03-10T21:31:24.568763Z",
            "url": "https://files.pythonhosted.org/packages/4a/c3/480f937494909673d157ec5b6542cf32566f42bdeed1dd41f27e3024e827/python_fcl-0.7.0.6-cp37-cp37m-macosx_10_9_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "572b0618d2164500cc078f1109ad794f4a0ec78290bbc016bfdf18bf32931029",
                "md5": "4ccc2d947b8c99b785c3e7ce90ae2d5e",
                "sha256": "f7f339db66b8658c75aad183b26ea71eacdcddca8968c780b7d5fc63d18803e0"
            },
            "downloads": -1,
            "filename": "python_fcl-0.7.0.6-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "4ccc2d947b8c99b785c3e7ce90ae2d5e",
            "packagetype": "bdist_wheel",
            "python_version": "cp37",
            "requires_python": ">=3.7",
            "size": 4259571,
            "upload_time": "2024-03-10T21:31:26",
            "upload_time_iso_8601": "2024-03-10T21:31:26.400152Z",
            "url": "https://files.pythonhosted.org/packages/57/2b/0618d2164500cc078f1109ad794f4a0ec78290bbc016bfdf18bf32931029/python_fcl-0.7.0.6-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "3d92db99b18b543f78fec3454a92425f1b1d7cc5d3b44d9964035fda5a0b8127",
                "md5": "5a00df22748f0bace7030ef50967dbed",
                "sha256": "f1a80643693696bbf3e227355b1fb8be4990bb0f74202cb87b31dfe4627f9222"
            },
            "downloads": -1,
            "filename": "python_fcl-0.7.0.6-cp37-cp37m-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "5a00df22748f0bace7030ef50967dbed",
            "packagetype": "bdist_wheel",
            "python_version": "cp37",
            "requires_python": ">=3.7",
            "size": 1025232,
            "upload_time": "2024-03-10T21:31:28",
            "upload_time_iso_8601": "2024-03-10T21:31:28.130344Z",
            "url": "https://files.pythonhosted.org/packages/3d/92/db99b18b543f78fec3454a92425f1b1d7cc5d3b44d9964035fda5a0b8127/python_fcl-0.7.0.6-cp37-cp37m-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "a60c0a107333ea87484d3e554e15b21c82fc125f23f1243d11bfd00c1a431a1a",
                "md5": "dc095de2da98f45083c74dea8a08269f",
                "sha256": "3eb1ce5b49687e18e166308eec501ae77801380e456ae27e0b884cb37c92b8eb"
            },
            "downloads": -1,
            "filename": "python_fcl-0.7.0.6-cp38-cp38-macosx_10_9_x86_64.whl",
            "has_sig": false,
            "md5_digest": "dc095de2da98f45083c74dea8a08269f",
            "packagetype": "bdist_wheel",
            "python_version": "cp38",
            "requires_python": ">=3.7",
            "size": 1614363,
            "upload_time": "2024-03-10T21:31:29",
            "upload_time_iso_8601": "2024-03-10T21:31:29.686303Z",
            "url": "https://files.pythonhosted.org/packages/a6/0c/0a107333ea87484d3e554e15b21c82fc125f23f1243d11bfd00c1a431a1a/python_fcl-0.7.0.6-cp38-cp38-macosx_10_9_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "9798a8f0b200c2f034f51a8a97adb680b7cbd9a87da44e31ba1733f85234d35b",
                "md5": "db4b37d00a1215894485876301e8eb15",
                "sha256": "e7af23d76d9bd53f676c019083154091d46abeb2d0983f7aea7462731f6cc3c2"
            },
            "downloads": -1,
            "filename": "python_fcl-0.7.0.6-cp38-cp38-macosx_11_0_arm64.whl",
            "has_sig": false,
            "md5_digest": "db4b37d00a1215894485876301e8eb15",
            "packagetype": "bdist_wheel",
            "python_version": "cp38",
            "requires_python": ">=3.7",
            "size": 1419324,
            "upload_time": "2024-03-10T21:31:31",
            "upload_time_iso_8601": "2024-03-10T21:31:31.600643Z",
            "url": "https://files.pythonhosted.org/packages/97/98/a8f0b200c2f034f51a8a97adb680b7cbd9a87da44e31ba1733f85234d35b/python_fcl-0.7.0.6-cp38-cp38-macosx_11_0_arm64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "2049e9ecd90c24790271b42227b97ff714c9aa58848269fb1a674941efe63e04",
                "md5": "7aabe4d066ff1dcecae1240c97e2c42b",
                "sha256": "f8d025aa472e8b4e5d93010dbd19166303119d7fae2ddf6ae56a62e9bf5315eb"
            },
            "downloads": -1,
            "filename": "python_fcl-0.7.0.6-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "7aabe4d066ff1dcecae1240c97e2c42b",
            "packagetype": "bdist_wheel",
            "python_version": "cp38",
            "requires_python": ">=3.7",
            "size": 4324653,
            "upload_time": "2024-03-10T21:31:34",
            "upload_time_iso_8601": "2024-03-10T21:31:34.054402Z",
            "url": "https://files.pythonhosted.org/packages/20/49/e9ecd90c24790271b42227b97ff714c9aa58848269fb1a674941efe63e04/python_fcl-0.7.0.6-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "3ccaca0b8bb1f32ddbf968ec1690e77c287d4b3355251328ecd27ac676537d8d",
                "md5": "e8c1062f7fae7dfafd3c1ad4b759f793",
                "sha256": "3431d74e388a5316430957339bf0f8fc0a3883eca2e3fc537423f366a82b74f4"
            },
            "downloads": -1,
            "filename": "python_fcl-0.7.0.6-cp38-cp38-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "e8c1062f7fae7dfafd3c1ad4b759f793",
            "packagetype": "bdist_wheel",
            "python_version": "cp38",
            "requires_python": ">=3.7",
            "size": 1027054,
            "upload_time": "2024-03-10T21:31:35",
            "upload_time_iso_8601": "2024-03-10T21:31:35.902805Z",
            "url": "https://files.pythonhosted.org/packages/3c/ca/ca0b8bb1f32ddbf968ec1690e77c287d4b3355251328ecd27ac676537d8d/python_fcl-0.7.0.6-cp38-cp38-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "edeb16d1e031fd801525aa8c8ed284e3742906ab265207d8f571360bd3ab8c20",
                "md5": "5ae6c7ffd0caf60e186b69740b2e75cd",
                "sha256": "1219807bc89d465592dbc243e89a07c638ebb9d960674ce9421120449e2557cd"
            },
            "downloads": -1,
            "filename": "python_fcl-0.7.0.6-cp39-cp39-macosx_10_9_x86_64.whl",
            "has_sig": false,
            "md5_digest": "5ae6c7ffd0caf60e186b69740b2e75cd",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.7",
            "size": 1619242,
            "upload_time": "2024-03-10T21:31:38",
            "upload_time_iso_8601": "2024-03-10T21:31:38.388733Z",
            "url": "https://files.pythonhosted.org/packages/ed/eb/16d1e031fd801525aa8c8ed284e3742906ab265207d8f571360bd3ab8c20/python_fcl-0.7.0.6-cp39-cp39-macosx_10_9_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "cff8b2f62704aa054e2ef558fb492b7175f935e8107590e65b731a17ef4903b4",
                "md5": "ac53bc9c04017327bf9452c74154bc64",
                "sha256": "aabd3bf5fbca2c1deb3cf6a91beb9a5f93c9af67c92732edbfdd7c458ff72c57"
            },
            "downloads": -1,
            "filename": "python_fcl-0.7.0.6-cp39-cp39-macosx_11_0_arm64.whl",
            "has_sig": false,
            "md5_digest": "ac53bc9c04017327bf9452c74154bc64",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.7",
            "size": 1419529,
            "upload_time": "2024-03-10T21:31:40",
            "upload_time_iso_8601": "2024-03-10T21:31:40.403058Z",
            "url": "https://files.pythonhosted.org/packages/cf/f8/b2f62704aa054e2ef558fb492b7175f935e8107590e65b731a17ef4903b4/python_fcl-0.7.0.6-cp39-cp39-macosx_11_0_arm64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "3f0fff958f9a31220b6563a268387641d232c9943cc32a4f117a3668822afdc8",
                "md5": "55a92dfbda71214091298bd8847fd691",
                "sha256": "debdb7329efabbf27344ad97d07de70463838a17d53683123802a7d6e3b77acc"
            },
            "downloads": -1,
            "filename": "python_fcl-0.7.0.6-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "55a92dfbda71214091298bd8847fd691",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.7",
            "size": 4331240,
            "upload_time": "2024-03-10T21:31:42",
            "upload_time_iso_8601": "2024-03-10T21:31:42.219466Z",
            "url": "https://files.pythonhosted.org/packages/3f/0f/ff958f9a31220b6563a268387641d232c9943cc32a4f117a3668822afdc8/python_fcl-0.7.0.6-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "3ff9cb9fdfc7b86a5178d92cd1ccb943a22b80d1fa309efcdd302c4dae45a14c",
                "md5": "8591faf3eeced382c1df1076a54dc334",
                "sha256": "d549ef281de6aaf241955a881bae0315a6ad23c6c5253b3245c7d29d300c93a5"
            },
            "downloads": -1,
            "filename": "python_fcl-0.7.0.6-cp39-cp39-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "8591faf3eeced382c1df1076a54dc334",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.7",
            "size": 1027413,
            "upload_time": "2024-03-10T21:31:44",
            "upload_time_iso_8601": "2024-03-10T21:31:44.368759Z",
            "url": "https://files.pythonhosted.org/packages/3f/f9/cb9fdfc7b86a5178d92cd1ccb943a22b80d1fa309efcdd302c4dae45a14c/python_fcl-0.7.0.6-cp39-cp39-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        }
    ],
    "upload_time": "2024-03-10 21:30:58",
    "github": true,
    "gitlab": false,
    "bitbucket": false,
    "codeberg": false,
    "github_user": "berkeleyautomation",
    "github_project": "python-fcl",
    "travis_ci": false,
    "coveralls": false,
    "github_actions": true,
    "lcname": "python-fcl"
}
        
Elapsed time: 0.21483s