Skip to content

Commit

Permalink
0.0.1-preview.1 - 2019/03/18
Browse files Browse the repository at this point in the history
@2019.1
  • Loading branch information
ErikMoczi committed Mar 19, 2019
1 parent 8f116bc commit 6a78fdd
Show file tree
Hide file tree
Showing 408 changed files with 36,008 additions and 1 deletion.
2 changes: 1 addition & 1 deletion README.md
100644 → 100755
Original file line number Diff line number Diff line change
@@ -1 +1 @@
# tracking unity packages
Unity's C# stateless physics library. This package is still in experimental phase.
2 changes: 2 additions & 0 deletions package/CHANGELOG.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,2 @@
## [0.0.1] - 2019-03-12
* Initial package version
7 changes: 7 additions & 0 deletions package/CHANGELOG.md.meta

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

252 changes: 252 additions & 0 deletions package/Documentation~/collision_queries.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,252 @@
# Spatial queries and filtering

Collision queries or spatial queries are one of the most important features of any physics engine and often drive a significant amount of game logic. Unity physics has a powerful collision query system which supports queries like ray casting, linear casting and closest point estimation. These queries support options like efficient collision filtering and user data retrieval.

## Local Vs Global

Queries can be performed against individual colliders or against an entire collision world. When performed against an entire world, a query acceleration structure, in our case a bounding volume tree, is used for efficiency.

You can choose to create you own collision worlds which are entirely independent of the physics world. However, if you are performing queries against the same physics world you are simulating, which is common, then you can take advantage of the fact that the broad phase had already been built.

## Query Types



| Query Type | Input |Description |
| -- | -- | -- |
| Ray cast | Origin, Direction, Filter | Finds all (or closest) intersections for an oriented line segment |
| Collider cast | Collider, Origin, Direction | Find all (or closest) intersection for the given shape swept along the given line segment in the given context |
| Collider Distance | Collider, Origin, Max distance | Finds the closest point between the given shape and any others within a specified maximum radius |
| Point Distance | Point, Filter, Max distance | Finds the closest point to any shapes within a given maximum radius of the specified point |
| Overlap query | AABB, Filter | Find all the bodies with bounding boxes overlapping a given area |

Convenience functions are provided to return any hit, the closest hit or all hits. These convenience functions use [collectors](#Collectors) to interpret their results.

Note: We also provide direct access to all underlying query algorithms, e.g. ray sphere intersection, so you can
use these algorithms directly if desired without allocating memory for the collision world / colliders.

### Query outputs

Many queries produce similar outputs or hits as they are referred to in the code. These hits have a subset of the following fields

- **Fraction** : The proportion along the ray or cast in the given direction to the point of intersection.
- **Position** : The point of intersection on the surface, in world space.
- **SurfaceNormal** : The normal to the surface at the point of intersection, in world space.
- **RigidBodyIndex** : The index of the rigid body in the collision world if a world query was performed
- **ColliderKey** : Internal information about which part of a composite shape (e.g. mesh) was hit i.e. a reference to which triangle or quad in the mesh collider.

### Ray Cast

Ray cast queries use a point and direction as their input and produce a set of hit results.

Lower level ray cast routines against surfaces have a slightly different output. They do not compute the surface intersection point explicitly for efficiency reasons. Instead, for a ray of origin,`O`, and direction (including distance), `D`, they return a hit fraction, `f`, which can be used later to compute the hit position if needed using `O + (D * f)`. See [RayCast.cs](..\Unity.Physics\Collision\Queries\Raycast.cs) for more details

Ray intersection starting inside spheres, capsules, box and convex shapes do not report an intersection as the ray leaves the volume.

### Collider Cast

Collider casts sweep a collider along a ray stopping at the first point of contact with another collider. These queries can be significantly more expensive than performing a ray cast. In the image below you can see the results (magenta) of casting a collider (orange) against other colliders in the world (yellow)

![collider_cast](images/collider_cast_queries.gif)

Collider cast inputs are
- **Collider** : A reference to the collider to cast
- **Position** : The initial position of the collider
- **Orientation** : The initial orientation of the collider
- **Direction** : The direction to cast and distance.


### Distance query

Distance queries or closest point queries are often used to determine proximity to surfaces. The image below shows the results (magenta points) of a distance query between the query collider (orange) and the rest of the collision world (yellow). You can see that not all queries return a result for all shapes. This is because the query has specified a maximum range which helps control the computational cost of the query.

![Closest_Points](images/closest_points_all_hits.gif)


Distance query inputs include

- **Collider** : (Optional) If present then this distance query is between pairs of surfaces. If absent then we are performing a closest point query to a fixed point in world space.
- **Position** : The position of the collider to use as the source of the query or the point in world space to query from.
- **Orientation** : The initial orientation of the collider.
- **Filter** : For point queries this allows you to specify a collision filter
- **MaxDistance** : points further than this range are not considered. Try to keep this value as small as possible for your needs for best performance.

## Region queries

Region queries are performed by calling `OverlapAabb` directly on the `CollisionWorld`. Given an `Aabb` and a `CollisionFilter` this query returns a list of indices into the bodies in the `CollisionWorld`.

## Collectors

Collectors provide a code driven way for you to intercept results as they are generated from any of the queries. When intercepting a result you can control the efficiency of a query by, for example, exiting early. We provide 3 implementations of the collector interface which return the closest hit found, all hits found or exit early is any hit is found.

## Filtering

Filtering is the preferred data driven method for controlling which results queries will perform. Our default collision filter provides for a simple but flexible way to control which bodies are involved in spatial queries or collision detection.

The default collision filter is designed around a concept of collision layers and has 3 important members.

| Member | Type | Purpose |
| --- | --- | --- |
| MaskBits | uint | A bitmask which describes which layers a collider belongs too. |
| CategoryBits | uint | A bitmask which describes which layers this collider should interact with |
| GroupIndex | int | An override for the bit mask checks. If the value in both objects is equal and positive, the objects always collide. If the value in both objects is equal and negative, the objects never collide. |

When determining if two colliders should collide or a query should be performed we check the mask bits of one against the category bots of the other.

```csharp
public static bool IsCollisionEnabled(CollisionFilter filterA, CollisionFilter filterB)
{
if (filterA.GroupIndex > 0 && filterA.GroupIndex == filterB.GroupIndex)
{
return true;
}
if (filterA.GroupIndex < 0 && filterA.GroupIndex == filterB.GroupIndex)
{
return false;
}
return
(filterA.MaskBits & filterB.CategoryBits) != 0 &&
(filterB.MaskBits & filterA.CategoryBits) != 0;
}
```

Currently the editor view of the Collision Filter just exposes the Category and Mask as 'Belongs To' and 'Collides With'. Think of each layer listed in those drop downs as being or-d together so that CategoryBits = (1u << belongLayer1) | (1u << belongLayer2) etc. Similarly for the' Collides With' for the mask. The groupIndex is not exposed currently in the editor, but do use at runtime if you have the need (eg, '-1' for a few objects you dont want to collide with each other but dont want to change the general settings for layers )

# Code examples

## Ray casts

```csharp
public Entity Raycast(float3 RayFrom, float3 RayTo)
{
var physicsWorldSystem = Unity.Entities.World.Active.GetExistingManager<Unity.Physics.Systems.BuildPhysicsWorld>();
var collisionWorld = physicsWorldSystem.PhysicsWorld.CollisionWorld;
RaycastInput input = new RaycastInput()
{
Ray = new Ray()
{
Origin = RayFrom,
Direction = RayTo - RayFrom
},
Filter = new CollisionFilter()
{
CategoryBits = ~0u, // all 1s, so all layers, collide with everything
MaskBits = ~0u,
GroupIndex = 0
}
};

RaycastHit hit = new RaycastHit();
bool haveHit = collisionWorld.CastRay(input, out hit);
if (haveHit)
{
// see hit.Position
// see hit.SurfaceNormal
Entity e = physicsWorldSystem.PhysicsWorld.Bodies[hit.RigidBodyIndex].Entity;
return e;
}
return Entity.Null;
}
```

That will return the closet hit Entity along the desired ray. You can inspect the results of RaycastHit for more information such as hit position and normal etc.

## Collider casts
ColliderCasts are very similar tio the ray casts, just that we need to make (or borrow from an existing PhysicsCollider on a body) a Collider. If you read the [Getting Started](getting_started.md) guide the Collider creation code will look familar.

```csharp
public unsafe Entity SphereCast(float3 RayFrom, float3 RayTo, float radius)
{
var physicsWorldSystem = Unity.Entities.World.Active.GetExistingManager<Unity.Physics.Systems.BuildPhysicsWorld>();
var collisionWorld = physicsWorldSystem.PhysicsWorld.CollisionWorld;

var filter = new CollisionFilter()
{
CategoryBits = ~0u, // all 1s, so all layers, collide with everything
MaskBits = ~0u,
GroupIndex = 0
};

BlobAssetReference<Unity.Physics.Collider> sphereCollider = Unity.Physics.SphereCollider.Create(float3.zero, radius, filter);

ColliderCastInput input = new ColliderCastInput()
{
Position = RayFrom,
Orientation = quaternion.identity,
Direction = RayTo - RayFrom,
Collider = (Collider*)sphereCollider.GetUnsafePtr()
};

ColliderCastHit hit = new ColliderCastHit();
bool haveHit = collisionWorld.CastCollider(input, out hit);
if (haveHit)
{
// see hit.Position
// see hit.SurfaceNormal
Entity e = physicsWorldSystem.PhysicsWorld.Bodies[hit.RigidBodyIndex].Entity;
return e;
}
return Entity.Null;
}
```

## Cast Performance

The above code all calls into Unity.Physics through normal C#. That is fine, will work, but is not at all optimal. To get really good performance from the casts and other queries you should do them from within a Burst compiled job. That way the code within the Unity Physics for the cast can also avail of Burst. If you are already in a Burst job, just call as normal, otherwise you will need to create a simple Job to do it for you. Since it is a threaded job, try to batch a few together too and wait some time later for results instead of straight away.

```csharp
[BurstCompile]
public struct RaycastJob : IJobParallelFor
{
[ReadOnly] public Physics.CollisionWorld world;
[ReadOnly] public NativeArray<Physics.RaycastInput> inputs;
public NativeArray<Physics.RaycastHit> results;

public unsafe void Execute(int index)
{
Physics.RaycastHit hit;
world.CastRay(inputs[index], out hit);
results[index] = hit;
}
}

public static JobHandle ScheduleBatchRayCast(Physics.CollisionWorld world,
NativeArray<Physics.RaycastInput> inputs, NativeArray<Physics.RaycastHit> results)
{
JobHandle rcj = new RaycastJob
{
inputs = inputs,
results = results,
world = world

}.Schedule(inputs.Length, 5);
return rcj;
}
```

If the scene is complex it may be worth doing so, even just for one ray. For example to call the above for one ray and wait:

```csharp
public static void SingleRayCast(Physics.CollisionWorld world, Physics.RaycastInput input,
ref Physics.RaycastHit result)
{
var rayCommands = new NativeArray<Physics.RaycastInput>(1, Allocator.TempJob);
var rayResults = new NativeArray<Physics.RaycastHit>(1, Allocator.TempJob);
rayCommands[0] = input;
var handle = ScheduleBatchRayCast(world, rayCommands, rayResults);
handle.Complete();
result = rayResults[0];
rayCommands.Dispose();
rayResults.Dispose();
}
```

The code will be similar for Collider casts and overlap queries too.


## Using Collider keys

Collider keys correspond to the internal primitives interleaved with the bounding volume data. They do not correspond 1:1 with the triangles of a Unity.Mesh when a mesh collider is created from one. At a later stage we intend to provide a mapping or embed user data to support this use case. But you can at least get the triangle data for a given ray hit above, using Collider->GetChild(key, out childleaf), but most of the information you need should already be in the hit return struct (pos, normal, etc).

[Back to Index](index.md)
Loading

0 comments on commit 6a78fdd

Please sign in to comment.