c# – 使用ValueInjecter展平包含可空类型的对象

我正在尝试使用ValueInjector来展平一个类,并让它也可以将值从Nullable< int>复制到int.

例如,给出以下(人为)课程:

class CustomerObject
{
    public int CustomerID { get; set; }
    public string CustomerName { get; set; }
    public OrderObject OrderOne { get; set; }
}

class OrderObject
{
    public int OrderID { get; set; }
    public string OrderName { get; set; }
}

class CustomerDTO
{
    public int? CustomerID { get; set; }
    public string CustomerName { get; set; }
    public int? OrderOneOrderID { get; set; }
    public string OrderOneOrderName { get; set; }
}

我想将CustomerObject的实例展平为
一个CustomerDTO,它忽略了CustomerID的事实
和OrderID是不同类型的(一个是可空的,不是).

所以我想这样做:

CustomerObject co = new CustomerObject() { CustomerID = 1, CustomerName = "John Smith" };
co.OrderOne = new OrderObject() { OrderID = 2, OrderName = "test order" };

CustomerDTO customer = new CustomerDTO();
customer.InjectFrom<>(co);

然后填充所有属性,具体为:

customer.CustomerID 
customer.OrderOneOrderID 
customer.OrderOneOrderName

我意识到我可以使用FlatLoopValueInjection来展平对象,我正在使用这个NullableInjection类:

public class NullableInjection : ConventionInjection
{
    protected override bool Match(ConventionInfo c)
    {
        return c.SourceProp.Name == c.TargetProp.Name &&
                (c.SourceProp.Type == c.TargetProp.Type
                || c.SourceProp.Type == Nullable.GetUnderlyingType(c.TargetProp.Type)
                || (Nullable.GetUnderlyingType(c.SourceProp.Type) == c.TargetProp.Type
                        && c.SourceProp.Value != null)
                );
    }

    protected override object SetValue(ConventionInfo c)
    {
        return c.SourceProp.Value;
    }
}

基本上我想把两者结合起来.这可能吗?

解决方法:

你可以通过覆盖TypesMatch方法来做到这一点:

    public class MyFlatInj : FlatLoopValueInjection
    {
        protected override bool TypesMatch(Type sourceType, Type targetType)
        {
            var snt = Nullable.GetUnderlyingType(sourceType);
            var tnt = Nullable.GetUnderlyingType(targetType);

            return sourceType == targetType
                   || sourceType == tnt
                   || targetType == snt
                   || snt == tnt;
        }
    }

或者从源代码中获取FlatLoopValueInjection并根据需要进行编辑(大约10行)

上一篇:c# – 如何在Automapper映射中保留源属性的原始值?


下一篇:C#远程执行Linux系统中Shell命令和SFTP上传文件