X

Using LINQ and reflection to find matching properties of objects

As a side product of some experiments I wrote simple LINQ query that matches properties of two objects and returns these properties as list. The code I wrote is pretty simple and I packed it for you as method. Later I used this code to write my experimental and heavily tuned object-to-object mapper.

Here is the GetMatchingProperties() method that makes the work.

public IList<PropertyInfo> GetMatchingProperties(object source, object target)
{
    if (source == null)
        throw new ArgumentNullException("source");
    if (target == null)
        throw new ArgumentNullException("target");

    var sourceType = source.GetType();
    var sourceProperties = sourceType.GetProperties();
    var targetType = target.GetType();
    var targetProperties = targetType.GetProperties();

    var properties = (from s in sourceProperties
                      from t in targetProperties
                      where s.Name == t.Name &&
                            s.PropertyType == t.PropertyType
                      select s).ToList();
    return properties;
}

The method returns only those properties that match by name and type. If both objects have property called Sum and both of them have Sum in different type (let’s say float and decimal) then this property is not returned by this method. Of course, you can extend this method if you like and you can make it much more clever. Simple implementation given here worked for me very well.

Liked this post? Empower your friends by sharing it!
Categories: .NET

View Comments (6)

  • Cool, but you could also use .Intersects() which is the intended method I think. But yours is properly prettier because the extra "where" syntactic sugar. Best regards, Lasse

  • Thanks for feedback, Lasse! I think this where part is pretty important because this somebody may want to add "smarter stuff" there. :)

  • Did anyone actually try this. I just inserted the VB.NET code into a form and it does not compile.

    Error 1 Operator '=' is not defined for types 'System.Type' and 'System.Type'. C:\Visual Studio Projects\TestLinqObjectCompare\TestLinqObjectCompare\Form1.vb 30 35 TestLinqObjectCompare

Related Post