LINQ - Does the Where expression return new instance or reference to object instance

The instances are the same if they are classes, but copies if they are structs/value types.

int, byte and double are value types, as are structs (like System.Drawing.Point and self-defined structs). But strings, all of your own classes, basically "the rest", are reference types.

Note: LINQ uses the same rules as all other assignments.

For objects:

Person p1 = new Person();
p1.Name = "Mr Jones";
Person p2 = p1;
p2.Name = "Mr Anderssen";
// Now p1.Name is also "Mr Anderssen"

For structs:

Point p1 = new Point();
p1.x = 5;
Point p2 = p1;
p2.x = 10;
// p1.x is still 5

The same rules apply when using LINQ.


Actually it depends on the collection. In some cases, LINQ methods can return cloned objects instead of references to originals. Take a look at this test:

[Test]
public void Test_weird_linq()
{
    var names = new[]{ "Fred", "Roman" };
    var list = names.Select(x => new MyClass() { Name = x });

    list.First().Name = "Craig";
    Assert.AreEqual("Craig", list.First().Name);            
}

public class MyClass
{
    public string Name { get; set; }
}

This test will fail, even though many people believe that the same object will be returned by list.First(). It will work if you use another collection "modified with ToList()".

var list = names.Select(x => new MyClass() { Name = x }).ToList();

I don't know for sure why it works this way, but it's something to have in mind when you write your code :)

This question can help you understand how LINQ works internally.


They are same objects. Where only filters, Select produces (can produce) new instances.

Tags:

C#

.Net

Linq