我有一个问题。
在我的一个脚本中,当我尝试获取组件时,它在控制台中返回此错误,并返回null:“ NullReferenceException:在需要对象实例的位置找到了null值。”
我不知道为什么,因为在其他文件中,我使用的过程效果很好。
这是我的代码流:第一个-GameController.cs
public class GameController : MonoBehaviour {
private SpawningPositions spawningPositions; //IT WORKS
private void Awake()
{
spawningPositions = GetComponent<SpawningPositions>(); //IT WORKS
}
void Start()
{
if (enemyWaveTypes.Length != 0 && wavesNumberEnemy.Length != 0)
{
StartCoroutine(SpawnShips());
}
}
IEnumerator SpawnShips()
{
while (true)
{
for (int i = 0; i < wavesNumberEnemy[waveCounter]; i++)
{
spawningPositions.SpawnRandom(enemyShip); //IT WORKS // NEXT SCRIPT
}
waveCounter++;
yield return new WaitForSeconds(waveTimingRatio);
}
}
}
第二个-SpawningPositions.cs
public class SpawningPositions : MonoBehaviour {
GeoData geoData; //IT WORKS
private void Awake()
{
geoData = GetComponent<GeoData>(); //IT WORKS
}
public void SpawnRandom(Transform enemyShip)
{
Vector3 spawnPosition;
Tuple<int, float> tuple = geoData.GetRandomOuterBoundary(); //IT WORKS (i've got a custom class for Tuples)
int randomSpawn = tuple.Item1;
float randomPosition = tuple.Item2;
spawnPosition = geoData.GetRandomPointIn(tuple);
Quaternion spawnRotation = Quaternion.identity;
var myEnemy = Instantiate(enemyShip, spawnPosition, spawnRotation);
myEnemy.gameObject.AddComponent<FixedPointAndGo>(); // NEXT SCRIPT
}
}
最后一个是我遇到问题的地方-FixedPointAndGo.cs
public class FixedPointAndGo : MonoBehaviour {
GeoData geoData; // DOESN'T WORK!!!
private void Awake()
{
geoData = gameObject.GetComponent<GeoData>(); // DOESN'T WORK!!! return NULL
}
private void Start()
{
endPos = new Vector3(
Random.Range(
(geoData.horizontalInLimits.x - 2), // DOESN'T WORK!!!
(geoData.horizontalInLimits.y - 2) // DOESN'T WORK!!!
),
0,
Random.Range(geoData.verticalInLimits.x, geoData.verticalInLimits.y) // DOESN'T WORK!!!
);
}
}
为什么当我尝试在第二个脚本而不是第三个脚本中添加组件
GeoData
时起作用?我不明白。我试图在该论坛和文档中搜索解决方案,但尚未找到任何东西。
提前致谢
最佳答案
geoData = gameObject.GetComponent<GeoData>(); // DOESN'T WORK!!! return NULL
注意变量“
gameObject
”。这是指此脚本(FixedPointAndGo
)附加到的GameObject。这意味着,仅当
gameObject.GetComponent<GeoData>()
脚本未附加到您的null
脚本所附加的GameObject时,GeoData
才返回FixedPointAndGo
。将
GeoData
附加到与您的FixedPointAndGo
脚本相同的GameObject。如果
GeoData
附加到另一个GameObject,并且您要访问它,则在访问附加到它的GeoData
组件之前,先找到该GameObject。GameObject obj = GameObject.Find("NameOfGameObjectGeoDataIsAttachedTo");
geoData = obj.GetComponent<GeoData>();
最后,如果
GeoData
脚本已经附加到相同的GameObject上,而FixedPointAndGo
脚本已经附加了,但是您仍然得到null
,则说明您将另一个FixedPointAndGo
脚本错误地附加到了一个空的GameObject或另一个没有附带的GeoData
脚本。找到该GameObject并从中删除
FixedPointAndGo
脚本。您可以通过选择FixedPointAndGo
脚本,然后转到Assets --->在场景中查找引用并删除脚本来完成此操作。关于c# - gameObject.GetComponent返回null,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/48709362/