错误概述
"Object reference not set to an instance of an object"(对象引用未设置为对象的实例)是.NET框架中常见的运行时错误,对应NullReferenceException异常。这个错误表示程序尝试访问一个未初始化(null)对象的成员(属性、方法或字段)。
常见原因
-
未初始化的对象引用:声明了对象变量但未实例化就直接使用
List<int> numbers; // 仅声明未初始化 numbers.Add(1); // 抛出NullReferenceException
-
方法返回null后未检查:调用可能返回null的方法后直接使用返回值
var user = GetUserFromDatabase(); // 可能返回null Console.WriteLine(user.Name); // 若user为null则崩溃
-
集合或数组元素为null:访问集合中未初始化或显式设置为null的元素
List<string> list = new List<string> {null}; int length = list[0].Length; // 抛出NullReferenceException
-
Unity特定场景:访问未激活的游戏对象或查找不存在的组件
GameObject obj; // 未初始化 obj.transform.position = Vector3.zero; // 抛出异常
解决方案
通用解决方法
-
空值检查:在使用对象前显式检查是否为null
if (myObject != null) { myObject.DoSomething(); }
-
使用空值合并运算符(??):为null值提供默认值
string result = myString ?? "default";
-
使用null条件运算符(?.):安全访问可能为null的成员
int? length = customer?.Name?.Length;
-
使用try-catch块:捕获并处理NullReferenceException
try { string result = myString.Substring(0, 5); }
catch (NullReferenceException ex) { // 处理异常 }