How can I define the class so that it could be initialized similarly like List<T>
:
List<int> list = new List<int>(){ //this part };
e.g., this scenario:
Class aClass = new Class(){ new Student(), new Student()//... };
How can I define the class so that it could be initialized similarly like List<T>
:
List<int> list = new List<int>(){ //this part };
e.g., this scenario:
Class aClass = new Class(){ new Student(), new Student()//... };
If you define MyClass
as a collection of students:
public class MyClass : List<Student>
{
}
var aClass = new MyClass{ new Student(), new Student()//... }
Alternatively, if your class contains a public collection of Student
:
public class MyClass
{
public List<Student> Students { get; set;}
}
var aClass = new MyClass{ Students = new List<Student>
{ new Student(), new Student()//... }}
Which one you select really depends on how you model a class.
I didn't see anyone suggesting generics implementation so here it is.
class Class<T> : IEnumerable
{
private List<T> list;
public Class()
{
list = new List<T>();
}
public void Add(T d)
{
list.Add(d);
}
public IEnumerator GetEnumerator()
{
return list.GetEnumerator();
}
}
and use:
Class<int> s = new Class<int>() {1,2,3,4};
Typically, to allow collection-initializer syntax directly on
Class
, it would implement a collection-interface such asICollection<Student>
or similar (say by inheriting fromCollection<Student>
).But technically speaking, it only needs to implement the non-generic
IEnumerable
interface and have a compatibleAdd
method.So this would be good enough:
Usage:
As you might expect, the code generated by the compiler will be similar to:
For more information, see section "7.6.10.3 Collection initializers" of the language specification.