代码之家  ›  专栏  ›  技术社区  ›  junkone

使用反射时检查是否为空

c#
  •  -1
  • junkone  · 技术社区  · 6 年前

    我正在使用反射将对象转换为csv。有时,我得到的空值会引发异常,所以我想检查空值并用空字符串替换空值。但是,由于无法将对象转换为字符串,因此出现错误。问题出在这行代码中。

    if(properties[i].getvalue(this)是字符串 string.isnullorempty(属性[i].getvalue(this)))

     public abstract class CsvableBase
     {
        public virtual string ToCsv()
        {
            string output = "";
            var properties = GetType().GetProperties();
            for (var i = 0; i < properties.Length; i++)
            {
                if(properties[i].GetValue(this) is DateTime)
                {
                     output +=((DateTime)properties[i].GetValue(this)).ToString("yyyy-MM-dd HH:mm:ss");
                }
                else if(properties[i].GetValue(this) is String && string.IsNullOrEmpty(properties[i].GetValue(this)))
                {
                     output += "";
                }
                else
                {
                     output +=   properties[i].GetValue(this).ToString();
                }
    
                if (i != properties.Length - 1)
                {
                    output += ",";
                }
            }
            return output;
        }
    }
    //Read more at https://www.pluralsight.com/guides/microsoft-net/building-a-generic-csv-writer-reader-using-reflection#VHy18mLqdMT3EGR5.99
    
    2 回复  |  直到 6 年前
        1
  •  1
  •   Buh Buh    6 年前

    你想得太多了。只需在for循环的顶部计算一次该值,并检查一次是否为空。

    不需要区分字符串空值和其他类型的空值。在运行时,它们都只是空对象。

    你不需要 += "" 因为那没什么用。

    for (var i = 0; i < properties.Length; i++)
    {
        object value = properties[i].GetValue(this);
        if (value == null)
        {
            //do nothing
        }
        else if (value is DateTime)
        {
             output += ((DateTime)value).ToString("yyyy-MM-dd HH:mm:ss");
        }
        else
        {
             output += value.ToString();
        }
    
        if (i != properties.Length - 1)
        {
            output += ",";
        }
    }
    

    边注:

    else if (properties[i].GetValue(this) is String && string.IsNullOrEmpty(properties[i].GetValue(this)))
    

    显然是错误的,因为如果该值为空,则有:

    else if (null is String && string.IsNullOrEmpty(properties[i].GetValue(this)))
    

    null is String 是假的。
    右边的代码只在值不为空时运行,这是没有意义的。

        2
  •  1
  •   René Vogt    6 年前

    尽管 GetValue() 是运行时的字符串,返回 类型 属于 小精灵 object ,所以您不能将其传递给 string.IsNullOrEmpty() 没有铸造。

    你可以这样做:

    if(properties[i].GetValue(this) is String s 
       && string.IsNullOrEmpty(s))
    

    在C 7之前,会有点冗长:

    object o = properties[i].GetValue(this);
    string s = o as string;
    if (string.IsNullOrEmpty(s))
    { /*...*/ }