我有一种方法想要返回PrefabItem
或null
。但是,当我执行以下操作时,出现错误:
无法将null转换为'PrefabItem',因为它是不可为空的值类型
struct PrefabItem { }
public class A {
int prefabSelected = -1;
private static List<PrefabItem> prefabs = new List<PrefabItem>();
private PrefabItem GetPrefabItem() {
if (prefabSelected > -1) {
return prefabs[prefabSelected];
}
return null;
}
}
我看到我可以使用Nulllable<T>
,但是当我这样做时,我会收到相同的消息。
struct PrefabItem { }
struct Nullable<T> {
public bool HasValue;
public T Value;
}
public class A {
int prefabSelected = -1;
private static Nullable<List<PrefabItem>> prefabs = new Nullable<List<PrefabItem>>();
private PrefabItem GetPrefabItem() {
if (prefabSelected > -1) {
return prefabs.Value[prefabSelected];
}
return null;
}
}
我该怎么做才能使我的方法返回PrefabItem
或null
?
答案 0 :(得分:6)
您应该返回Nullable< PrefabItem >
或PrefabItem?
可以为空的语法示例:
private PrefabItem? GetPrefabItem() {
if (prefabSelected > -1) {
return prefabs[prefabSelected];
}
return null;
}
再发表一条评论。如果需要可为空的元素的列表,则列表的声明应为:
private static List<PrefabItem?> prefabs = new List<PrefabItem?>();
或
private static List<Nullable<PrefabItem>> prefabs = new List<Nullable<PrefabItem>>();