Итерация по любому свойству, вложенным объектам и спискам C # - PullRequest
0 голосов
/ 08 мая 2018

Я получаю 2 объекта типа «Отгрузка» («Отгрузка1» и «Отгрузка2») и должен прочитать каждое их значение. Если значение Shipment1 равно NULL / пусто, я хочу посмотреть на то же значение Shipment2, а если значение не равно NULL / пусто, я должен скопировать его в Shipment1. Я пытался перебирать свои объекты с помощью Reflection, но вложенные объекты «Грузоотправитель», «Грузополучатель», «Счета-фактуры» позволяли мне потерпеть неудачу. Я надеюсь, что вы можете мне помочь. У меня есть следующая упрощенная структура класса:

public class Shipment
{
    public int Id { get; set; }
    public Address Consignor { get; set; }
    public Address Consignee { get; set; }
    public IEnumerable<Invoice> Invoices{ get; set; }
} 
public class Address
{
    public string Name { get; set; }
    public string Street{ get; set; }
    public string Zip { get; set; }
    public string City{ get; set; }
    public string Country{ get; set; }
}
public class Invoice
{
    public IEnumerable<Item> Items{ get; set; }
}
public class Item
{
    public string Description{ get; set; }
    public int Amount { get; set; }
}

Я пробовал это так. Он работал для свойств отправления высшего уровня, но не для грузоотправителя, грузополучателя, счетов и т. Д.

            foreach (PropertyInfo info1 in shipment1.GetType().GetProperties())
        {
            var datatype = info1.PropertyType;
            switch (datatype.Name.ToLower())
            {
                case "string":

                    if (!string.IsNullOrEmpty((string)info1.GetValue(shipment1)))
                    {
                        string value= (string)info1.GetValue(shipment1);
                        string name = info1.Name;
                        Type type = input.GetType();
                        PropertyInfo info2 = shipment2.GetType().GetProperty(name);


                        if (string.IsNullOrEmpty((string)info2.GetValue(shipment2)))
                        {
                            info2.SetValue(shipment2, value, null);
                        }
                    }
                    break;

                case "integer":
                    // and so on
             }       
       }

1 Ответ

0 голосов
/ 08 мая 2018

Я закончил с этим, имея отгрузка1 с теми же значениями, что и отгрузка2 , даже если отгрузка1 была нулевой в начале.

Обратите внимание, что он копирует IEnumerable как указатели.После копирования редактирование copy.Invoices также будет редактировать source.Invoices и наоборот.

// used for my test:
Shipment shipment1 = null;
Shipment shipment2 = new Shipment { Id = 42, Consignor = new Address { Name = "Foo1", Street = "Bar1", Zip = "Baz1", City = "Qux1", Country = "Quux1" }, Consignee = new Address { Name = "Foo2", Street = "Bar2", Zip = "Baz2", City = "Qux2", Country = "Quux2" }, Invoices = new Invoice[] { new Invoice { Items = new Item[] { new Item { Description = "FooBar1", Amount = 1 }, new Item { Description = "BazQux1", Amount = 1 } } }, new Invoice { Items = new Item[] { new Item { Description = "FooBar2", Amount = 2 }, new Item { Description = "BazQux2", Amount = 2 } } } } };
// kind of ugly but I didn't manage to do it prettier:
shipment1 = Work(shipment2, shipment1);

private T Work<T>(T source, T copy)
{
    if (source == null)
        return copy;
    if (copy == null)
        copy = Activator.CreateInstance<T>();

    foreach (PropertyInfo prop in typeof(T).GetProperties())
    {
        switch (prop.PropertyType.Name.ToLower())
        {
            case "string":
                string str = (string)prop.GetValue(source);
                if (!string.IsNullOrEmpty(str))
                    if (string.IsNullOrEmpty((string)prop.GetValue(copy)))
                        prop.SetValue(copy, str);
                break;
            case "int32":
                int i = (int)prop.GetValue(source);
                if (i != 0)
                    if ((int)prop.GetValue(copy) == 0)
                        prop.SetValue(copy, i);
                break;
            case "address":
                prop.SetValue(copy, Work(prop.GetValue(source) as Address, prop.GetValue(copy) as Address));
                break;
            case "ienumerable`1":
                switch (prop.PropertyType.GetGenericArguments()[0].Name.ToLower())
                {
                    case "invoice":
                        IEnumerable<Invoice> invoices = (IEnumerable<Invoice>)prop.GetValue(source);
                        if (invoices != null && invoices.Count() > 0)
                            if ((IEnumerable<Invoice>)prop.GetValue(copy) == null)
                                prop.SetValue(copy, invoices);
                        break;
                    // edit: this is actually useless
                    /*
                    case "item":
                        IEnumerable<Item> items = (IEnumerable<Item>)prop.GetValue(source);
                        if (items != null && items.Count() > 0)
                            if ((IEnumerable<Item>)prop.GetValue(copy) == null)
                                prop.SetValue(copy, items);
                        break;
                    */
                }
                break;
        }
    }

    return copy;
}
...