使用反射将可为Null的属性复制到不可为Null版本



我正在编写使用反射将一个对象转换为另一个对象的代码。。。

它正在进行中,但我认为它可以归结为以下几点,我们相信这两个属性都有相同的类型:

    private void CopyPropertyValue(object source, string sourcePropertyName, object target, string targetPropertyName)
    {
        PropertyInfo sourceProperty = source.GetType().GetProperty(sourcePropertyName);
        PropertyInfo targetProperty = target.GetType().GetProperty(targetPropertyName);
        targetProperty.SetValue(target, sourceProperty.GetValue(source));
    }

但是我有一个额外的问题,即源类型可能是Nullable,而目标类型不是。例如CCD_ 1=>CCD_。在这种情况下,我需要确保它仍然有效,并执行一些合理的行为,例如NOP或设置该类型的默认值。

这可能是什么样子?

假设GetValue返回一个装箱表示,它将是可为null类型的null值的null引用,那么很容易检测并处理您想要的内容:

private void CopyPropertyValue(
    object source,
    string sourcePropertyName,
    object target,
    string targetPropertyName)
{
    PropertyInfo sourceProperty = source.GetType().GetProperty(sourcePropertyName);
    PropertyInfo targetProperty = target.GetType().GetProperty(targetPropertyName);
    object value = sourceProperty.GetValue(source);
    if (value == null && 
        targetProperty.PropertyType.IsValueType &&
        Nullable.GetUnderlyingType(targetProperty.PropertyType) == null)
    {
        // Okay, trying to copy a null value into a non-nullable type.
        // Do whatever you want here
    }
    else
    {
        targetProperty.SetValue(target, value);
    }
}

相关内容

  • 没有找到相关文章

最新更新