你能解释一下T: class, new()在下一行代码中是什么意思吗?

void Add<T>(T item) where T : class, new();

当前回答

where (c#参考)

new() Constraint让编译器知道提供的任何类型参数必须有一个可访问的无参数——或默认——构造函数

所以它应该是,T必须是一个类,并且有一个可访问的无参数构造函数,或者默认构造函数。

其他回答

class和new是泛型类型参数T上的两个约束。 它们分别保证:

type参数必须是引用类型;这也适用于任何类、接口、委托或数组类型。

new

类型参数必须有一个公共的无参数构造函数。当与其他约束一起使用时,new()约束必须在最后指定。

它们的组合意味着类型T必须是引用类型(不能是值类型),并且必须有一个无参数的构造函数。

例子:

struct MyStruct { } // structs are value types

class MyClass1 { } // no constructors defined, so the class implicitly has a parameterless one

class MyClass2 // parameterless constructor explicitly defined
{
    public MyClass2() { }
}

class MyClass3 // only non-parameterless constructor defined
{
    public MyClass3(object parameter) { }
}

class MyClass4 // both parameterless & non-parameterless constructors defined
{
    public MyClass4() { }
    public MyClass4(object parameter) { }
}

interface INewable<T>
    where T : new()
{
}

interface INewableReference<T>
    where T : class, new()
{
}

class Checks
{
    INewable<int> cn1; // ALLOWED: has parameterless ctor
    INewable<string> n2; // NOT ALLOWED: no parameterless ctor
    INewable<MyStruct> n3; // ALLOWED: has parameterless ctor
    INewable<MyClass1> n4; // ALLOWED: has parameterless ctor
    INewable<MyClass2> n5; // ALLOWED: has parameterless ctor
    INewable<MyClass3> n6; // NOT ALLOWED: no parameterless ctor
    INewable<MyClass4> n7; // ALLOWED: has parameterless ctor

    INewableReference<int> nr1; // NOT ALLOWED: not a reference type
    INewableReference<string> nr2; // NOT ALLOWED: no parameterless ctor
    INewableReference<MyStruct> nr3; // NOT ALLOWED: not a reference type
    INewableReference<MyClass1> nr4; // ALLOWED: has parameterless ctor
    INewableReference<MyClass2> nr5; // ALLOWED: has parameterless ctor
    INewableReference<MyClass3> nr6; // NOT ALLOWED: no parameterless ctor
    INewableReference<MyClass4> nr7; // ALLOWED: has parameterless ctor
}

当在约束中使用类时,这意味着你只能使用引用类型,另一件要添加的事情是何时使用约束new(),它必须是你在约束条款中写的最后一件事。

这是对泛型参数t的约束。它必须是一个类(引用类型),并且必须有一个无公共参数的默认构造函数。

这意味着T不能是int、float、double、DateTime或任何其他结构(值类型)。

它可以是字符串,也可以是任何其他自定义引用类型,只要它有默认的或无参数的构造函数。

“Where”后面的是对你声明的泛型类型T的约束,所以:

class意味着T应该是一个类,而不是值类型或结构。 new()表示T类应该定义一个没有公共形参的默认构造函数。

where (c#参考)

new() Constraint让编译器知道提供的任何类型参数必须有一个可访问的无参数——或默认——构造函数

所以它应该是,T必须是一个类,并且有一个可访问的无参数构造函数,或者默认构造函数。