看起来已经为python回答了这个问题,但是没有回答C#,因为我是蟒蛇文盲而且是C#的新人,这里有:
我正在尝试基于枚举参数(类型)从类的实例(任务/任务)获取属性,并将该属性添加到List。棘手的部分是我不确定属性值是字符串还是字符串列表。
所以,通常我会看到类似的东西:
PropertyInfo propertyInfo = typeof(Task).GetProperty(type.ToString());
List<string> values = new List<string>();
然后我知道的东西在值是List时不起作用,但说明了我的意图:
values.Add((string)propertyInfo.GetValue(task, null));
我有什么选择?
答案 0 :(得分: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
和强制转换,而是使用as
并检查结果是否为null:
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));
}
答案 1 :(得分: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);
}