datareader - Generic Relational to Composite C# Object Mapper -
i have following code that's capable of mapping reader
simple objects. trouble in case object composite fails map. not able perform recursion checking property if class itself
prop.propertytype.isclass type required call datareadermapper()
. idea on how may achieved or other approach? also, not wishing use orm.
public static class mapperhelper { /// <summary> /// extension method reader :maps reader type defined /// </summary> /// <typeparam name="t">generic type:model class type</typeparam> /// <param name="datareader">this :current reader</param> /// <returns>list of objects</returns> public static ienumerable<t> datareadermapper<t>(this idatareader datareader)where t : class, new() { t obj = default(t); //optimized taken out of both foreach , while loop propertyinfo[] propertyinfo; var temp = typeof(t); propertyinfo = temp.getproperties(); while (datareader.read()) { obj = new t(); foreach (propertyinfo prop in propertyinfo) { if (dataconverterhelper.columnexists(datareader,prop.name) && !datareader.isdbnull(prop.name)) { prop.setvalue(obj, datareader[prop.name], null); } } yield return obj; } } }
don't make datareadermapper
recursive. make mapping part recursive:
static void assign(idatareader reader, object instance) { foreach (propertyinfo prop in propertyinfo) { if (isvalue(prop)) { prop.setvalue(obj, datareader[prop.name], null); } else if (isclass(prop)) { var subinstance = activator.createinstance(prop.propertytype); prop.setvalue(obj, subinstance, null); assign(subinstance, datareader); } } }
like that. recursively initializes class type properties default constructed instances , assigns data reader values them.
the code simplified. elided of stuff , isvalue
/isclass
left implement liking. also, want use naming scheme a.b.c
column name maps property. that's doable passing current name prefix parameter assign
.
further note, datareadermapper
being generic isn't required. i'm saying because struggled that. replace typeof(t)
type
parameter , return ienumerable<object>
. call cast<t>()
on result of method. see algorithm can in principle work without generics.
Comments
Post a Comment