截获动态调用以避免运行时绑定器异常
本文关键字:运行时 绑定 异常 动态 调用 | 更新日期: 2023-09-27 18:31:05
我想截获对动态类型的调用,以避免在调用的方法或属性不存在时出现 RuntimeBinderException。例如:
class Foo {
bool IsFool{ get; set; }
}
...
dynamic d = new Foo();
bool isFool = d.IsFoo; //works fine
bool isSpecial = d.IsSpecial; //RuntimeBinderException
我想做的是在调用时创建不存在的属性,或者只返回 null。
编辑:我正在尝试做的项目是一个配置文件阅读器。所以我希望这样做可以避免尝试捕获或检查 cofiguration 文件的每个属性是否存在。
我没有看到任何比在块中处理try .. catch
特殊的方法,例如
try
{
bool isSpecial = d.IsSpecial;
return isSpecial;
}
catch(RuntimeBinderException)
{
// do something else
return false;
}
(或)使用System.Reflection
命名空间
bool isSpecial = typeof(Foo)
.GetProperties()
.Select(p => p.Name == "IsSpecial").Count() > 0
? d.IsSpecial : false;
根据您在帖子中的编辑; 不确定这会有多优雅,但您可以在App.Config
或Web.Config
文件中定义一个AppSetting
元素,例如
<configuration>
<appSettings>
<add key="IsFool" value="Foo"/>
<add key="Display" value="Foo"/>
</appSettings>
</configuration>
然后可以读取它以验证成员是否存在,然后相应地调用
dynamic d = new Foo();
bool isSpecial = System.Configuration.ConfigurationManager.AppSettings
.AllKeys.Contains("IsSpecial")
? d.IsSpecial : false;
异常通常需要很多时间尝试检查属性是否存在:
public static bool HasProperty(this object obj, string propertyName)
{
return obj.GetType().GetProperty(propertyName) != null;
}
在这里找到答案:https://stackoverflow.com/a/1110504/818088
我必须扩展DynamicObject
并覆盖TryInvokeMember
最简单的方法是将其转换为 JSON 动态对象:
public static class JsonExtensions
{
public static dynamic ToJson(this object input) =>
System.Web.Helpers.Json.Decode(System.Web.Helpers.Json.Encode(input));
static int Main(string[] args) {
dynamic d = new Foo() { IsFool = true }.ToJson();
Console.WriteLine(d.IsFool); //prints True
Console.WriteLine(d.IsSpecial ?? "null"); //prints null
}
}
class Foo
{
public bool IsFool { get; set; }
}