Why does Entity Framework return null List<> instead of empty ones?

22,482

Solution 1

You should have your entity create those lists in the constructor. EF doesn't create dependent collections, and expects the entity to do so.

So, your case, you would make your entity like this:

class MyClass{ 
    public List<OtherClass> _otherClasses {get;set;} 

    public MyClass() {
        _otherClasses = new List<OtherClass>();
    }
} 

Solution 2

Make the otherClasses collection virtual. This will enable EF to lazy load the collection.

class MyClass{
    public virtual List<OtherClass> otherClasses {get;set;}
}

Otherwise use eager loading with Include method.

context.myClass.Include(m => m.otherClasses).SingleOrDefault(m => m.Id == foo);
Share:
22,482
igor.araujo
Author by

igor.araujo

Updated on February 13, 2020

Comments

  • igor.araujo
    igor.araujo about 4 years

    I'm pretty new in the ASP .NET MVC world. Maybe, that's the reason I can't explain to myself the cause of what is, for me, an annoying problem.

    I have one class with One-To-Many relashionship.

    class MyClass{
        public List<OtherClass> otherClasses {get;set;}
    }
    

    When I'm persisting one instance of this class, I fill it's relationship with an empty List<>

    MyClass myClass = new MyClass(){ otherClasses = new List<OtherClass>() }
    context.myClass.Add(myClass);
    

    The problem is that, when I try to retrieve that instance, and for any reason, I try to access that list, system gives me a Null Reference Exception...

    My question is: why doesn't EF return empty lists instead of null ones? Especially in this case, that I'm persisting it with an empty list?

    There's any way to avoid verifing if instances are null?