Click here to Skip to main content
65,938 articles
CodeProject is changing. Read more.
Articles / Languages / C#

Object Relational Mapping via Reflection

4.50/5 (4 votes)
14 Jun 2011CPOL 25.2K  
Illustrates how to quickly and dynamically populate an object from a data-row
Before I learned about reflection, performing object-relational mapping was a painful and slow task.

You would design your Data-Object with attributes similar to the database table it would accept data from, then there would be the long and painful process of initializing the object from the data row.

This would lead to lots of code that looked like this:

// load customer details from row:
this.customerid = (int)customerRow["customerid"];
this.namefirst  = (string)customerRow["namefirst"];
this.namelast   = (string)customerRow["namelast"];


Which is just painful.

But, with one simple extension method, this code could be replaced by:

this.SetPropertiesFrom(customerRow);


Regardless of the number of fields, for any object...

How does it work?

Reflection allows you to examine any object's properties, methods, fields etc at run-time.

the SetPropertiesFrom method simply enumerates the object's public properties, and sets the value for each one that has a matching column in the data-row.

The only restriction is that the pubic properties of the object being populated must match the column names of the table. However this could be overcome by adding custom attribute decorations to the properties to indicate the source field, but that is a topic for a full article.

Here is the method in full, as an extension method for Object. Anywhere this class is in scope, each object will gain the SetPropertiesFrom method.

C#
/// <summary>
/// extension methods that allow dynamic population of data objects through reflection
/// </summary>
public static class DynamicDataExtensions
{
    /// <summary>
    /// populate the public properties of this object from a data-row;
    /// </summary>
    /// <param name="obj"></param>
    /// <param name="row"></param>
    public static void SetPropertiesFrom(this Object obj, DataRow row)
    {
        // enumerate the public properties of the object:
        foreach (PropertyInfo property in obj.GetType().GetProperties())
        {
            // does the property name appear as a column in the table?
            if (row.Table.Columns.Contains(property.Name))
            {
                // get the data-column:
                DataColumn column = row.Table.Columns[property.Name];

                // get the value of the column from the row:
                object value = row[column];

                // set the value on the property:
                if (!(value is DBNull))
                    property.SetValue(obj, Convert.ChangeType(value, property.PropertyType), null);

            }
        }
    }
}

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)