我试图在添加到列表时通过其构造函数创建一个T类型的新对象。
我得到一个编译错误:错误消息是:
'T':创建变量实例时不能提供参数
但是我的类确实有构造函数参数!我该怎么做呢?
public static string GetAllItems<T>(...) where T : new()
{
...
List<T> tabListItems = new List<T>();
foreach (ListItem listItem in listCollection)
{
tabListItems.Add(new T(listItem)); // error here.
}
...
}
使用c# 11中的静态抽象接口方法特性,可以使用工厂模式构建一个变通方案。例如:
public interface IFactory<TSelf> where TSelf : IFactory<TSelf> {
static abstract TSelf New(int i, string s);
}
public struct Foo : IFactory<Foo> {
public static Foo New(int i, string s) {
return new Foo(i, s);
}
public readonly int I;
public readonly string S;
public Foo(int i, string s) {
I = i;
S = s;
}
}
public static class Maker {
public static T Make<T>(int i, string s) where T : IFactory<T> {
return T.New(i, s);
}
}
这种方法的一个限制是它只能用于您拥有的类,因为您需要在目标类上实现特定的工厂接口。
这在你的情况下行不通。你只能指定一个构造函数为空的约束:
public static string GetAllItems<T>(...) where T: new()
你可以通过定义这个接口来使用属性注入:
public interface ITakesAListItem
{
ListItem Item { set; }
}
然后你可以改变你的方法如下:
public static string GetAllItems<T>(...) where T : ITakesAListItem, new()
{
...
List<T> tabListItems = new List<T>();
foreach (ListItem listItem in listCollection)
{
tabListItems.Add(new T() { Item = listItem });
}
...
}
另一种替代方法是JaredPar描述的Func方法。
如果你可以访问将要使用的类,你可以使用我使用的这种方法。
创建一个具有替代创建者的接口:
public interface ICreatable1Param
{
void PopulateInstance(object Param);
}
让你的类有一个空的创建器并实现这个方法:
public class MyClass : ICreatable1Param
{
public MyClass() { //do something or nothing }
public void PopulateInstance (object Param)
{
//populate the class here
}
}
现在使用泛型方法:
public void MyMethod<T>(...) where T : ICreatable1Param, new()
{
//do stuff
T newT = new T();
T.PopulateInstance(Param);
}
如果您没有访问权限,则包装目标类:
public class MyClass : ICreatable1Param
{
public WrappedClass WrappedInstance {get; private set; }
public MyClass() { //do something or nothing }
public void PopulateInstance (object Param)
{
WrappedInstance = new WrappedClass(Param);
}
}