指定した座標がオブジェクトの内部なのか外部なのか調べたいです。
realsenceD435を使って障害物検知と回避をしようとしているのですが、まずは一定の範囲内に障害物があるかどうかを判定する部分を作ろうとしています。
そこで、一定の範囲はオブジェクトを配置することで設定し、realsenceから取得したvector3の各データの座標に対してオブジェクト内部か外部かの判定をしようと考えました。
オブジェクトを範囲とすることで感覚的にその範囲を変更出来るのでそうしました。現在は円柱Cylinderオブジェクトの範囲で実現したいと考えています。
まずは、「ClosestPoint」で実現させようとしました。数点のデータなら問題なく実現できたのですが、460x640個のpointに対して全て実行すると重すぎで使い物になりません。
そこで次に、「raycast」でやってみようかと考えたのですがこの処理は重いので沢山使うのは良くないとの情報が多く出たので別の方法を探しているところです。
よろしくお願いします。
「ClosestPoint」の使用部分のコードは以下です。
c#
1 var collider = checkarea.GetComponent<Collider>(); 2 for (int i = 0; i < mesh.vertices.Length; i = i + 100000) { 3 if (collider.ClosestPoint(mesh.vertices[i]) == mesh.vertices[i]) 4 { 5 // コライダーの中にある 6 Debug.Log("inside!!!!"); 7 break; 8 } 9 else 10 { 11 // コライダーの外にある 12 //Debug.Log("outside"); 13 } 14 }
気になる質問をクリップする
クリップした質問は、後からいつでもMYページで確認できます。
またクリップした質問に回答があった際、通知やメールを受け取ることができます。
バッドをするには、ログインかつ
こちらの条件を満たす必要があります。
2019/11/25 00:42
回答1件
0
簡単に試せて効果も大きいのはMesh.verticesの使用を控えることだろうと思います。
Mesh.vertices
はただのフィールドのように見えるかもしれませんが、正体は「メッシュデータから頂点位置属性を抜き出して、新規配列に詰めて返す」といった動作をする重量級のプロパティのようです。ですのでご提示のコードのようにmesh.vertices[i]
などとアクセスするのは、一つの頂点座標を得るために数十万個すべての頂点を取得してすぐ捨ててしまうというもったいない動作になってしまうかと思います。
vertices
から頂点データを取ってくるのはループに入る前の1回だけにするのがいいでしょう。その頂点データ取得にしても、vertices
から取ってくる代わりにGetVerticesを使ってもいいと思います。こちらは配列をいちいち生成せず、既存のList<Vector3>
にデータを詰めてくれるのでもっと効率的になるはずです。
ganta7188さんからご指摘のあった「データの間引き」も組み合わせれば十分実用的な速度で動かせそうです。ご提示のコードでi = i + 100000
という風にインデックスを読み飛ばしていますが、おそらく今回のようなメッシュには効果的な方法だと思います。頂点が均一に分布しているでしょうから、適当な間隔で読み飛ばすといい感じに均一な間引きができるような気がします。
さらに高速化したいとなると、これもganta7188さんのおっしゃるように並列化の方針でいくことになるでしょう。おそらく判定もClosestPoint
には頼れなくなるので自前で何とかしないとならないはずです。球とか直方体のようなシンプルな形状がいいでしょうね。
GPUを活用する場合、メッシュから頂点を取得するのではなくデプステクスチャの状態で取得してやればシェーダー上での交差判定もやりやすいんじゃないかと思います。
おまけ
あいにくRealSenseを持っていないので、代わりにダミーデータとして下図のような640×480頂点のメッシュを作成し...
下記のような3パターンで間引きなしで速度比較したところ...
vertices版
C#
1using System.Diagnostics; 2using UnityEngine; 3using Debug = UnityEngine.Debug; 4 5public class VerticesHitTest : MonoBehaviour 6{ 7 [SerializeField] private Transform checkarea; 8 [SerializeField] private Mesh mesh; 9 [SerializeField] private int stride = 1; 10 11 private void Update() 12 { 13 if (Input.GetKeyDown(KeyCode.Space)) 14 { 15 this.CheckColliderVersusMesh(); 16 } 17 } 18 19 private void CheckColliderVersusMesh() 20 { 21 var stopwatch = new Stopwatch(); 22 stopwatch.Start(); 23 24 var collider = this.checkarea.GetComponent<Collider>(); 25 26 // this.mesh.verticesにアクセスするたびに30万頂点分の配列生成が行われる 27 for (var i = 0; i < this.mesh.vertices.Length; i += this.stride) 28 { 29 if (collider.ClosestPoint(this.mesh.vertices[i]) == this.mesh.vertices[i]) 30 { 31 // コライダーの中にある 32 Debug.Log("inside!!!!"); 33 break; 34 } 35 36 // コライダーの外にある 37 // Debug.Log("outside"); 38 } 39 40 stopwatch.Stop(); 41 var time = stopwatch.ElapsedMilliseconds; 42 Debug.Log($"{this.GetType().Name} Time : {time} ms"); 43 } 44}
GetVertices版
C#
1using System.Collections.Generic; 2using System.Diagnostics; 3using UnityEngine; 4using Debug = UnityEngine.Debug; 5 6public class GetVerticesHitTest : MonoBehaviour 7{ 8 [SerializeField] private Transform checkarea; 9 [SerializeField] private Mesh mesh; 10 [SerializeField] private int stride = 1; 11 12 // 格納したい頂点数が分かっているので、あらかじめ格納用Listの容量を増やしておくといい 13 private readonly List<Vector3> vertices = new List<Vector3>(640 * 480); 14 15 private void Update() 16 { 17 if (Input.GetKeyDown(KeyCode.Space)) 18 { 19 this.CheckColliderVersusMesh(); 20 } 21 } 22 23 private void CheckColliderVersusMesh() 24 { 25 var stopwatch = new Stopwatch(); 26 stopwatch.Start(); 27 28 var collider = this.checkarea.GetComponent<Collider>(); 29 30 // ループ突入前に一回だけ頂点を取得し... 31 this.mesh.GetVertices(this.vertices); 32 33 // ループ内ではメッシュにアクセスしないようにする 34 var vertexCount = this.vertices.Count; 35 for (var i = 0; i < vertexCount; i += this.stride) 36 { 37 if (collider.ClosestPoint(this.vertices[i]) == this.vertices[i]) 38 { 39 // コライダーの中にある 40 Debug.Log("inside!!!!"); 41 break; 42 } 43 44 // コライダーの外にある 45 // Debug.Log("outside"); 46 } 47 48 stopwatch.Stop(); 49 var time = stopwatch.ElapsedMilliseconds; 50 Debug.Log($"{this.GetType().Name} Time : {time} ms"); 51 } 52}
Burst版
C#
1using System.Collections.Generic; 2using System.Diagnostics; 3using System.Reflection; 4using Unity.Burst; 5using Unity.Collections; 6using Unity.Collections.LowLevel.Unsafe; 7using Unity.Jobs; 8using Unity.Mathematics; 9using UnityEngine; 10using Debug = UnityEngine.Debug; 11 12public class BurstHitTest : MonoBehaviour 13{ 14 [SerializeField] private Transform checkarea; 15 [SerializeField] private Mesh mesh; 16 [SerializeField] private int stride = 1; 17 [SerializeField] private int innerLoopCount = 128; 18 19 private readonly List<Vector3> vertices = new List<Vector3>(640 * 480); 20 private FieldInfo itemsField = typeof(List<Vector3>).GetField("_items", BindingFlags.Instance | BindingFlags.NonPublic); 21 22 private void Update() 23 { 24 if (Input.GetKeyDown(KeyCode.Space)) 25 { 26 this.CheckColliderVersusMesh(); 27 } 28 } 29 30 private void CheckColliderVersusMesh() 31 { 32 var stopwatch = new Stopwatch(); 33 stopwatch.Start(); 34 35 // 今回の判定はカプセルコライダー専用 36 var collider = this.checkarea.GetComponent<CapsuleCollider>(); 37 38 // メッシュから頂点を取得 39 this.mesh.GetVertices(this.vertices); 40 var vertexCount = this.vertices.Count; 41 42 // NativeArrayへの高速データ転送は元データが配列でないといけないので、vertices内部のデータ格納用配列に直接アクセスする 43 var vertexArray = (Vector3[])this.itemsField.GetValue(this.vertices); 44 45 // 頂点データ格納用のNativeArrayを確保し、頂点データを転送する 46 // Vector3とfloat3は異なる型だが、データ的にはfloatが3つでできていてダイレクトに転送できる 47 // ※「Edit」→「Project Settings」の「Player」→「Allow 'unsafe' Code」をオンにする必要がある 48 var vertexNativeArray = new NativeArray<float3>( 49 vertexArray.Length, 50 Allocator.TempJob, 51 NativeArrayOptions.UninitializedMemory); 52 unsafe 53 { 54 fixed (void* vertexArrayPointer = vertexArray) 55 { 56 UnsafeUtility.MemCpy( 57 vertexNativeArray.GetUnsafePtr(), 58 vertexArrayPointer, 59 vertexCount * sizeof(float3)); 60 } 61 } 62 63 // 結果格納用の1要素のNativeArrayを確保する 64 var hitNativeArray = new NativeArray<bool>(1, Allocator.TempJob); 65 66 // コライダーの位置、スケール、回転を取得 67 var position = (float3)this.checkarea.position; 68 var scale = (float3)this.checkarea.lossyScale; 69 var rotation = (quaternion)this.checkarea.rotation; 70 var center = (float3)collider.center; 71 72 // 軸の向きを取得 73 var right = math.rotate(rotation, new float3(1.0f, 0.0f, 0.0f)); 74 var up = math.rotate(rotation, new float3(0.0f, 1.0f, 0.0f)); 75 var forward = math.rotate(rotation, new float3(0.0f, 0.0f, 1.0f)); 76 77 // コライダーの向きに応じて軸を交換、半径・高さを算出 78 float3 mainAxis; 79 float3 subAxis1; 80 float3 subAxis2; 81 float mainScale; 82 float subScale1; 83 float subScale2; 84 switch (collider.direction) 85 { 86 case 0: 87 mainAxis = right; 88 subAxis1 = up; 89 subAxis2 = forward; 90 mainScale = scale.x; 91 subScale1 = scale.y; 92 subScale2 = scale.z; 93 break; 94 default: 95 mainAxis = up; 96 subAxis1 = forward; 97 subAxis2 = right; 98 mainScale = scale.y; 99 subScale1 = scale.z; 100 subScale2 = scale.x; 101 break; 102 case 2: 103 mainAxis = forward; 104 subAxis1 = right; 105 subAxis2 = up; 106 mainScale = scale.z; 107 subScale1 = scale.x; 108 subScale2 = scale.y; 109 break; 110 } 111 var subScale = math.max(subScale1, subScale2); 112 var radius = subScale * collider.radius; 113 var normalizedHalfBodyHeight = (math.max((collider.height * mainScale) - (radius * 2.0f), 0.0f) * 0.5f) / radius; 114 115 // 座標変換行列を作成 116 var localToWorldMatrix = new float4x4( 117 new float4(mainAxis * radius, 0.0f), 118 new float4(subAxis1 * radius, 0.0f), 119 new float4(subAxis2 * radius, 0.0f), 120 new float4(math.mul(new float3x3(right, up, forward), center * scale) + position, 1.0f)); 121 var worldToLocalMatrix = math.inverse(localToWorldMatrix); 122 var meshToNormalizedCapsuleMatrix = new float3x4( 123 worldToLocalMatrix.c0.xyz, 124 worldToLocalMatrix.c1.xyz, 125 worldToLocalMatrix.c2.xyz, 126 worldToLocalMatrix.c3.xyz); 127 128 // ジョブを実行し完了を待機 129 new CheckHitJob 130 { 131 vertices = vertexNativeArray, 132 hit = hitNativeArray, 133 stride = this.stride, 134 innerLoopCount = this.innerLoopCount, 135 vertexCount = vertexCount, 136 meshToNormalizedCapsuleMatrix = meshToNormalizedCapsuleMatrix, 137 normalizedHalfBodyHeight = normalizedHalfBodyHeight 138 }.Schedule((int)math.ceil((double)vertexCount / (this.stride * this.innerLoopCount)), 1).Complete(); 139 140 // 結果を取得 141 var hit = hitNativeArray[0]; 142 143 // NativeArrayは不要になったので廃棄 144 vertexNativeArray.Dispose(); 145 hitNativeArray.Dispose(); 146 147 // 結果を表示 148 if (hit) 149 { 150 // コライダーの中にある 151 Debug.Log("inside!!!!"); 152 } 153 154 stopwatch.Stop(); 155 var time = stopwatch.ElapsedMilliseconds; 156 Debug.Log($"{this.GetType().Name} Time : {time} ms"); 157 } 158 159 [BurstCompile] 160 private struct CheckHitJob : IJobParallelFor 161 { 162 [ReadOnly] public NativeArray<float3> vertices; 163 [NativeDisableParallelForRestriction] public NativeArray<bool> hit; 164 165 public int stride; 166 public int innerLoopCount; 167 public int vertexCount; 168 public float3x4 meshToNormalizedCapsuleMatrix; 169 public float normalizedHalfBodyHeight; 170 171 public void Execute(int index) 172 { 173 // もしヒットが検出されていればジョブを丸ごとスキップ 174 if (this.hit[0]) 175 { 176 return; 177 } 178 179 var n = this.innerLoopCount * this.stride; 180 var i0 = index * n; 181 var iN = math.min(i0 + n, this.vertexCount); 182 for (var i = i0; i < iN; i += this.stride) 183 { 184 if (this.CheckCapsule(this.vertices[i])) 185 { 186 this.hit[0] = true; 187 break; 188 } 189 } 190 } 191 192 private bool CheckCapsule(float3 p)( 193 { 194 // 頂点座標を正規化カプセル座標(方向X軸、半径1.0、原点中心)に直し、 195 // さらにカプセルは対称な形状なので絶対値を取って計算を簡略化する 196 p = math.abs(math.mul(this.meshToNormalizedCapsuleMatrix, new float4(p, 1.0f))); 197 198 // 円柱判定と球判定のどちらを行うか選択する 199 if (p.x > this.normalizedHalfBodyHeight) 200 { 201 // 両端の球面部分に関する判定 202 p.x -= this.normalizedHalfBodyHeight; 203 return math.dot(p, p) <= 1.0f; 204 } 205 206 // 中央の円柱部分に関する判定 207 var yz = p.yz; 208 return math.dot(yz, yz) <= 1.0f; 209 } 210 } 211}
実験中の様子
白いカプセルが判定領域、図はワーストケース(一つもヒットがない...30万頂点全部について判定する必要がある)の場合
下記のような特徴がありました。
- vertices版...ヒットなしのケースだと2.6時間もかかり実用上はきつそう
- GetVertices版...序盤でヒットすれば数ミリ秒、ヒットなしでも数百ミリ秒と大幅に改善、Burst版と違ってColliderその他の各種メソッドも制限なく使えるので有用と思われる
- Burst版...やたら長くなった上に入門者向けサイトではまず見ないような異様なコードだが、ヒットなしでも数ミリ秒、せいぜい数十ミリ秒で処理できる(初回のみ数百ミリ秒...Burstはプレイモードだと初回使用時にコンパイルを行うらしく、その影響だろうか?)
よっぽど高速化したいのでもない限り、GetVertices
&間引きでいいんじゃないでしょうか?
投稿2019/11/22 12:27
総合スコア10811
あなたの回答
tips
太字
斜体
打ち消し線
見出し
引用テキストの挿入
コードの挿入
リンクの挿入
リストの挿入
番号リストの挿入
表の挿入
水平線の挿入
プレビュー
質問の解決につながる回答をしましょう。 サンプルコードなど、より具体的な説明があると質問者の理解の助けになります。 また、読む側のことを考えた、分かりやすい文章を心がけましょう。