我有一个从隔离存储中提取对象的类。如果它找不到有问题的对象,则返回默认值(T),该值为null,因为它们是引用类型。如果返回的值为null,我会进行简单检查并在调用者中分配一个新实例,但我更愿意在存储逻辑中执行此操作。
所以我的问题是,有没有办法返回一个新的T,其中对象有一个默认的空白构造函数?
答案 0 :(得分:14)
选项将使用约束“new”: http://msdn.microsoft.com/en-us/library/sd2w2ew5(v=vs.80).aspx
像这样:
public T GetNewItem()
where T: new()
{
return new T();
}
但是有这个约束意味着你不能使用没有默认构造函数的类型。因此,您可以考虑使用System.Activator.CreateInstance,但请记住它可能会抛出异常:
T createInstance<T>()
{
try
{
return System.Activator.CreateInstance<T>();
}
catch (MissingMethodException exc)
{
return default(T);
}
}
因此,在初始化的早期知道给定类型是否支持这一点可能是一个好主意,这样做的方法如下:
T createInstance<T>()
{
System.Reflection.ConstructorInfo constructor = (typeof(T)).GetConstructor(System.Type.EmptyTypes);
if (ReferenceEquals(constructor, null))
{
//there is no default constructor
return default(T);
}
else
{
//there is a default constructor
//you can invoke it like so:
return (T)constructor.Invoke(new object[0]);
//return constructor.Invoke(new object[0]) as T; //If T is class
}
}
当你在这里时,为什么不让一个创建实例的委托呢?
Func<T> getConstructor<T>()
{
System.Reflection.ConstructorInfo constructor = (typeof(T)).GetConstructor(System.Type.EmptyTypes);
if (ReferenceEquals(constructor, null))
{
return () => { return default(T); };
}
else
{
return () => { return (T)constructor.Invoke(new object[0]); };
}
}
如何使用它的示例(使用LinqPad编译):
void Main()
{
Console.WriteLine(getConstructor<object>()());
Console.WriteLine(getConstructor<int>()());
Console.WriteLine(getConstructor<string>()());
Console.WriteLine(getConstructor<decimal>()());
Console.WriteLine(getConstructor<DateTime>()());
Console.WriteLine(getConstructor<int?>()());
}
输出结果为:
System.Object
0
null
0
01/01/0001 12:00:00 a.m.
null
string的情况是一种特殊情况,它是一个引用类型,它可以为null,并且没有一个公共默认构造函数,而不是String.Empty。可空类型也给出null。
答案 1 :(得分:3)
您可以向类型参数添加约束,但这将阻止不支持空参数构造函数的任何类被用作类型参数。
public class Foo<T> where T : new()
{
// Now you can say T blah = new T();
}
您也可以调用Activator.CreateInstance<T>()
,但如果类型没有正确的构造函数,则会抛出。
我认为你最好记录一下,如果无法找到对象,你的方法会返回null
,并让调用代码按照它认为合适的方式处理该条件。知道如何继续处于最佳状态。
答案 2 :(得分:2)
将new()
约束添加到您的通用方法:
public T Create<T>() where T: class, new()
{
return new T();
}
答案 3 :(得分:1)
这有效:
使用System;
public class Test
{
static T CreateT<T>(bool _new) where T: new()
{
if (_new) return new T(); else return default(T);
}
public static void Main()
{
var o = CreateT<object>(true);
}
}
答案 4 :(得分:0)
来自Generic method to instantiate a variable of any type (including nullable struct)?
public static T GetEmpty<T>() where T : new() //this constraint is important
{
return (T)Activator.CreateInstance(Nullable.GetUnderlyingType(typeof(T)) ?? typeof(T));
}
这适用于可以为空的结构。对于int?
,它返回0而不是null。更快的方法here.