Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Inject from ExpandoObject with ValueInjecter

I'm using ValueInjecter for object mapping and I'm trying to inject from an ExpandoObject. I found an example of injecting from a dynamic.

   public class Ac
    {
        public string Aa { get; set; }
    }

    [Test]
    public void Aa()
    {
        var o = new { Aa = "aa" };
        dynamic d = o;
        var a = new Ac{ Aa = "bb" };
        a.InjectFrom((object)d);
        Assert.AreEqual(o.Aa, a.Aa);
    }

But I have not been successful in getting it to work with an ExpandoObject. How can I do this?

like image 832
jdennis Avatar asked Jul 29 '11 22:07

jdennis


2 Answers

using System;
using System.Collections.Generic;
using System.Dynamic;
using Omu.ValueInjecter;

namespace ConsoleApplication7
{
    public class FromExpando : KnownSourceValueInjection<ExpandoObject>
    {
        protected override void Inject(ExpandoObject source, object target)
        {
            var d = source as IDictionary<string, object>;
            if (d == null) return;
            var tprops = target.GetProps();

            foreach (var o in d)
            {
                var tp = tprops.GetByName(o.Key);
                if (tp == null) continue;
                tp.SetValue(target, o.Value);
            }
        }
    }

    public class Foo
    {
        public string Name { get; set; }
        public int Ace { get; set; }
    }

    class Program
    {
        static void Main(string[] args)
        {
            dynamic x = new ExpandoObject();
            x.Ace = 1231;
            x.Name = "hi";
            var f = new Foo();
            //f.InjectFrom<FromExpando>((object) x); // edit:compilation error
            new FromExpando().Map((object)x,f);
            Console.WriteLine(f.Ace);
            Console.WriteLine(f.Name);
        }
    }
} 
like image 122
Omu Avatar answered Oct 21 '22 07:10

Omu


I have used the same approach as Omu posted reading from a ExpandoObject that comes from a XML. As all the properties comes in as ´string´, so I have tweaked @Omu's answer a little using the ´Convert.ChangeType´ method:

public class FromExpando : KnownSourceValueInjection<ExpandoObject>
{
    protected override void Inject(ExpandoObject source, object target)
    {
        var d = source as IDictionary<string, object>;
        if (d == null) return;
        var tprops = target.GetProps();

        foreach (var o in d)
        {
            var tp = tprops.GetByName(o.Key);
            if (tp == null) continue;

            var newValue = Convert.ChangeType(o.Value, tp.PropertyType); 

            tp.SetValue(target, newValue);
        }
    }
}
like image 29
RMalke Avatar answered Oct 21 '22 08:10

RMalke