using System.Collections;
using System.Collections.Generic;
using UnityEngine;
public class AddColliders : MonoBehaviour
{
public List<GameObject> objectsToAddCollider = new List<GameObject>();
// Start is called before the first frame update
void Start()
{
AddDescendantsWithTag(transform, objectsToAddCollider);
}
// Update is called once per frame
void Update()
{
}
private void AddDescendantsWithTag(Transform parent, List<GameObject> list)
{
foreach (Transform child in parent)
{
if (child.gameObject.GetComponent<MeshRenderer>() != null
&& child.gameObject.GetComponent<)
{
list.Add(child.gameObject);
}
AddDescendantsWithTag(child, list);
}
}
}
在这一行中,我正在检查是否有附加到游戏对象的网格渲染器,但如何检查它是否未附加任何碰撞类型?然后如何向其添加网格碰撞器?
这是我到目前为止尝试过的:
using System.Collections;
using System.Collections.Generic;
using UnityEngine;
public class AddColliders : MonoBehaviour
{
public List<GameObject> objectsToAddCollider = new List<GameObject>();
// Start is called before the first frame update
void Start()
{
AddDescendantsWithTag(transform, objectsToAddCollider);
}
// Update is called once per frame
void Update()
{
}
private void AddDescendantsWithTag(Transform parent, List<GameObject> list)
{
foreach (Transform child in parent)
{
if (child.gameObject.GetComponent<MeshRenderer>() != null
&& child.gameObject.GetComponent<Collider>() == null)
{
child.gameObject.AddComponent<MeshCollider>();
list.Add(child.gameObject);
}
AddDescendantsWithTag(child, list);
}
}
}
但是最后在行上添加断点时:
AddDescendantsWithTag(transform, objectsToAddCollider);
我看到Collider中的List objectsToAddCollider中的gameobjects这条消息:
collider = System.NotSupportedException:Collider属性已被弃用
最佳答案
GameObject.collider
在版本2019.1.0中已弃用并删除。
您不能再将其用于调试。
要检查是否存在任何类型的Collider
var collider = child.GetComponent<Collider>();
简单地检查它是否存在,您也可以
if(child.GetComponent<Collider>())
{
Debug.Log("Collider found");
}
再次由于
Collider
(或更确切地说是从其继承的Unity类型Object
)实现了等于bool
的implicit != null
operator。因此,如果不存在一行,则添加组件的一种很好的方法是
Collider collider = child.GetComponent<Collider>() ? collider : child.gameObject.AddComponent<Collider>();
甚至略短
Collider collider = child.GetComponent<Collider>() ?? child.gameObject.AddComponent<Collider>();
注意:请在智能手机上输入内容,因此没有保修,但我希望这个想法能弄清楚。