Reputation: 3839
The following code throws a NullReferenceException
:
internal class Foo
{
public Collection<string> Items { get; set; } // or List<string>
}
class Program
{
static void Main(string[] args)
{
new Foo()
{
Items = { "foo" } // throws NullReferenceException
};
}
}
Collection<string>
implements the Add()
method, and why is NullReferenceException is thrown?Items = new Collection<string>() { "foo" }
the only correct way to initialize it?Upvotes: 4
Views: 405
Reputation: 3839
Thanks guys. As summary collection initializer doesn't create instance of collection itself, but just uses Add() to add items to existant instance, and throws NullReferenceException if instance doesn't exist
1.
internal class Foo
{
internal Foo()
{
Items = new Collection<string>();
}
public Collection<string> Items { get; private set; }
}
var foo = new Foo()
{
Items = { "foo" } // foo.Items contains 1 element "foo"
};
2.
internal class Foo
{
internal Foo()
{
Items = new Collection<string>();
Items.Add("foo1");
}
public Collection<string> Items { get; private set; }
}
var foo = new Foo()
{
Items = { "foo2" } // foo.Items contains 2 elements: "foo1", "foo2"
};
Upvotes: 4
Reputation: 73492
You never instantiated Items
. Try this.
new Foo()
{
Items = new Collection<string> { "foo" }
};
To answer your second question: You need to add a constructor and initialize Items
over there.
internal class Foo
{
internal Foo()
{
Items = new Collection<string>();
}
public Collection<string> Items { get; private set; }
}
Why your code throws NullReferenceException?
Upvotes: 2
Reputation: 4860
Foo.Items
is declared, but an instance of Collection
has never been assigned, so .Items
is null
.
Fix:
internal class Foo
{
public Collection<string> Items { get; set; } // or List<string>
}
class Program
{
static void Main(string[] args)
{
new Foo()
{
Items = new Collection<string> { "foo" } // no longer throws NullReferenceException :-)
};
}
}
Upvotes: 0
Reputation: 61459
In your Foo
constructor you want to initialize collection.
internal class Foo
{
public Foo(){Items = new Collection(); }
public Collection<string> Items { get; set; } // or List<string>
}
class Program
{
static void Main(string[] args)
{
new Foo()
{
Items = { "foo" } // throws NullReferenceException
};
}
}
Upvotes: 1