使用多种语言的动态对象时,有一个允许您获取属性值的构造,如果该属性不存在,则返回默认值。
我想知道在.NET中使用dynamic时是否有类似的方法/语法。我知道您可以将ExpandoObject强制转换为Dictionary,但有时无法保证动态对象是Expando。
我正在考虑与以下代码具有相同效果的内容
public class SomeClass
{
public string ValidProperty { get; set; }
}
dynamic t = new SomeClass() {
ValidProperty = "someValue"
};
Console.WriteLine(t.Get("ValidProperty", "doesn't exist")); // Prints 'someValue'
Console.WriteLine(t.Get("InvalidProperty", "doesn't exist")); // Prints 'doesn't exist'
答案 0 :(得分:1)
我想知道在.NET中使用dynamic时是否有类似的方法/语法。我知道您可以将ExpandoObject强制转换为Dictionary,但有时无法保证动态对象是Expando。
并且也不能保证它是编译时对象。
你可以使用try / catch,但这甚至没有说明有关财产的存在。动态对象的一个示例:
public class MyDynamic: DynamicObject
{
static int Count = 0;
public override bool TryGetMember(GetMemberBinder binder, out object result)
{
result = Count++;
if (binder.Name == "Test")
{
return Count % 2 == 0;
}
return false;
}
}
假设您将其用作
dynamic d = new MyDynamic();
try { Console.WriteLine(d.Test); } catch (Exception ex) { Console.WriteLine(ex.Message); }
try { Console.WriteLine(d.Test); } catch (Exception ex) { Console.WriteLine(ex.Message); }
try { Console.WriteLine(d.Test); } catch (Exception ex) { Console.WriteLine(ex.Message); }
try { Console.WriteLine(d.Test); } catch (Exception ex) { Console.WriteLine(ex.Message); }
对d.Test
的一些调用将返回一个值,一些将抛出异常。所以我说,没有安全的方法来测试它,并且没有任何可能不存在的方法的默认值。
答案 1 :(得分:0)
如果您正在谈论ExpandoObjects,它们只是字典。这意味着您可以将它们转换为IDictionary,并查看该键是否与您的属性名称匹配。这可以通过一般的扩展方法完成。
public static T PropertyOrDefault<T>(this ExpandoObject obj, string propertyName)
{
var dynamicAsDictionary = (IDictionary<string, object>)obj;
if (!dynamicAsDictionary.ContainsKey(propertyName))
{
return default(T);
}
object propertyValue = dynamicAsDictionary[propertyName];
if (!(propertyValue is T))
{
return default(T);
}
return (T)propertyValue;
}
如果动态不是ExpandoObject,那么您需要使用反射。
public static T PropertyOrDefault<T>(dynamic obj, string propertyName)
{
if (obj is ExpandoObject)
{
return ((ExpandoObject)obj).PropertyOrDefault<T>(propertyName);
}
Type objectType = obj.GetType();
PropertyInfo p = objectType.GetProperty(propertyName);
if (p != null)
{
object propertyValue = p.GetValue(obj);
if (propertyValue is T)
{
return (T)propertyValue;
}
}
return default(T);
}
答案 2 :(得分:0)
如果我将评论中的答案转换为非扩展方法,则以下方法有效:
public bool HasProperty(Object o, string propertyName)
{
return o.GetType().GetProperty(propertyName) != null;
}
...
dynamic t = new
{
validProperty = "value",
};
MessageBox.Show(HasProperty(t, "invalidProperty")?"true":"false");
MessageBox.Show(HasProperty(t, "validProperty") ?"true":"false");