我不确定即使这是可能的,但在这里问题我正在尝试将项目添加到List<T>
,如下所示
public static SelectList ToSelectList<T>(List<T> addlist) where T : new ()
{
addlist.Insert(0, new T { Id = -1, Name = "SELECT" });
var list = new SelectList(addlist, "Id", "Name");
return list;
}
new T { Id = -1, Name = "SELECT" }
投掷错误是否可以将项目添加到List<T>
?
答案 0 :(得分:3)
问题在于,通过通用约束,您已将T
声明为具有默认构造函数的任何对象。
编译器在编译时执行类型检查,并且T不一定具有属性Id
或Name
。
解决方案是
Id
和Name
,编译示例:
public interface IEntity
{
int Id {get; set; }
string Name {get; set; }
}
class Widget : IEntity
{
public int Id {get; set; }
public string Name {get; set; }
public string SomeOtherProperty { get; set; }
}
public static SelectList ToSelectList<T>(List<T> addlist) where T : IEntity, new ()
{
addlist.Insert(0, new T { Id = -1, Name = "SELECT" });
var list = new SelectList(addlist, "Id", "Name");
return list;
}
// In your code
List<Widget> widgetList = new List<Widget>();
ToSelectList(widgetList);
答案 1 :(得分:2)
您的代码存在的问题是您不知道T
是什么以及它具有哪些属性。 new
不足以作为您的通用约束。所有它都指定了它:
新约束指定泛型类声明中的任何类型参数都必须具有公共无参数构造函数
如果您想要实例化T
类型的对象,请参阅:Create instance of generic type?。
但更好的方法是创建一个包含这些属性的接口,指定您的函数获取该类型的列表,然后实例化该类型的对象:
public static SelectList ToSelectList(List<YourInterface> addlist)
{
addlist.Insert(0, new YourDerived { Id = -1, Name = "SELECT" });
var list = new SelectList(addlist, "Id", "Name");
return list;
}