3

看起来这已经为 python 回答了,但不是 C#,因为我是 python 文盲和 C# 的新手,这里是:

我正在尝试根据枚举参数(类型)从类(任务/任务)的实例中获取属性并将该属性添加到列表中。棘手的部分是我不确定属性值是字符串还是字符串列表。

所以,通常我在看类似的东西:

PropertyInfo propertyInfo = typeof(Task).GetProperty(type.ToString());
List<string> values = new List<string>();

那么当值是列表时我知道的东西不起作用,但说明了我的意图:

values.Add((string)propertyInfo.GetValue(task, null));

我有哪些选择?

4

2 回答 2

6

您可以使用PropertyInfo.PropertyType来检查属性的类型 - 或者您可以只获取值object并从那里开始:

List<string> values = new List<string>();
object value = propertyInfo.GetValue(task, null);
if (value is string)
{
    values.Add((string) value);
}
else if (value is IEnumerable<string>)
{
    values.AddRange((IEnumerable<string>) value);
}
else
{
    // Do whatever you want if the type doesn't match...
}

is或者,您可以使用asnull 并检查结果,而不是使用和强制转换:

List<string> values = new List<string>();
object value = propertyInfo.GetValue(task, null);
string stringValue = value as string;
if (stringValue != null)
{
    values.Add(stringValue);
}
else
{
    IEnumerable<string> valueSequence = value as IEnumerable<string>;
    if (valueSequence != null)
    {
        values.AddRange(valueSequence);
    }
    else
    {
        // Do whatever you want if the type doesn't match...
    } 
}

请注意,如果属性是任何其他类型的字符串序列,而不仅仅是List<string>. 它还会复制列表,因此任何进一步的更改都不会影响属性引用的现有列表。如果需要,请调整:)

Lee 的回答让我想起了一点——如果它是一个string具有null值的属性,并且您想要一个包含单个 null 元素的列表,则需要使用PropertyType. 例如:

if (propertyInfo.PropertyType == typeof(string))
{
    values.Add((string) propertyInfo.GetValue(task, null));
}
于 2013-01-02T20:47:23.137 回答
5
PropertyInfo propertyInfo = typeof(Task).GetProperty(type.ToString());
List<string> values = new List<string>();

object p = propertyInfo.GetValue(task, null);
if(p is string)
{
    values.Add((string)p);
}
else if(p is List<string>)
{
    values.AddRange((List<string>)p);
}

或者你可以使用as

string str = p as string;
List<string> list = p as List<string>;

if(str != null)
{
    values.Add(str);
}
else if(list != null)
{
    values.AddRange(list);
}
于 2013-01-02T20:48:24.717 回答