我不知道如何解决这个问题,或者是否有任何内置的Unity功能可以帮助解决这个问题,所以我们非常感谢您的建议。
我想在设定半径范围内围绕给定点生成游戏对象。但是,它们在此半径中的位置应随机选择。该位置应与原点(在地面上)具有相同的Y轴。下一个主要问题是每个对象不应该与另一个游戏对象发生冲突和重叠,也不应该进入他们的个人空间(橙色圆圈)。
到目前为止,我的代码并不是很好:
public class Spawner : MonoBehaviour {
public int spawnRadius = 30; // not sure how large this is yet..
public int agentRadius = 5; // agent's personal space
public GameObject agent; // added in Unity GUI
Vector3 originPoint;
void CreateGroup() {
GameObject spawner = GetRandomSpawnPoint ();
originPoint = spawner.gameObject.transform.position;
for (int i = 0; i < groupSize; i++) {
CreateAgent ();
}
}
public void CreateAgent() {
float directionFacing = Random.Range (0f, 360f);
// need to pick a random position around originPoint but inside spawnRadius
// must not be too close to another agent inside spawnRadius
Instantiate (agent, originPoint, Quaternion.Euler (new Vector3 (0f, directionFacing, 0f)));
}
}
感谢您提出任何建议!
答案 0 :(得分:5)
为了在圆圈内生成对象,您可以定义生成圆的半径,只需将-radius和radius之间的随机数添加到生成器的位置,如下所示:
float radius = 5f;
originPoint = spawner.gameObject.transform.position;
originPoint.x += Random.Range(-radius, radius);
originPoint.z += Random.Range(-radius, radius);
为了检测生成点是否要靠近另一个游戏对象,如何检查它们之间的距离如下:
if(Vector3.Distance(originPoint, otherGameObject.transform.position < personalSpaceRadius)
{
// pick new origin Point
}
我对unity3d的熟练程度不高,所以可能不是最好的答案。^^
同时强>:
要首先检查生成区域中的哪些游戏对象,您可以使用此处定义的Physics.OverlapSphere函数: http://docs.unity3d.com/ScriptReference/Physics.OverlapSphere.html
答案 1 :(得分:5)
对于个人空间,您可以使用colliders
来避免重叠。
对于圈中产卵,您可以使用Random.insideUnitSphere
。您可以将方法修改为
public void CreateAgent() {
float directionFacing = Random.Range (0f, 360f);
// need to pick a random position around originPoint but inside spawnRadius
// must not be too close to another agent inside spawnRadius
Vector3 point = (Random.insideUnitSphere * spawnRadius) + originPoint;
Instantiate (agent, point, Quaternion.Euler (new Vector3 (0f, directionFacing, 0f)));
}
希望这会对你有所帮助。