Simplified Collection initialization
While initializing WF4 activities we can do something like t开发者_C百科his:
Sequence s = new Sequence()
{
Activities = {
new If() ...,
new WriteLine() ...,
}
}
Note that Sequence.Activities
is a Collection<Activity>
but it can be initialized without the new Collection().
How can I emulate this behaviour on my Collection<T>
properties?
Any collection that has an Add()
method and implements IEnumerable
can be initialized this way. For details, refer to Object and Collection Initializers for C#. (The lack of the new Collection<T>
call is due to an object initializer, and the ability to add the items inline is due to the collection initializer.)
The compiler will automatically call the Add()
method on your class with the items within the collection initialization block.
As an example, here is a very simple piece of code to demonstrate:
using System;
using System.Collections.ObjectModel;
class Test
{
public Test()
{
this.Collection = new Collection<int>();
}
public Collection<int> Collection { get; private set; }
public static void Main()
{
// Note the use of collection intializers here...
Test test = new Test
{
Collection = { 3, 4, 5 }
};
foreach (var i in test.Collection)
{
Console.WriteLine(i);
}
Console.WriteLine("Press any key to exit...");
Console.ReadKey();
}
}
精彩评论