在C#中解析XML时,经常需要读取元素的属性值。但若处理不当,很容易遇到数据类型转换异常或null值引发的运行时错误。关键在于正确判断属性是否存在,并安全地进行类型转换。
检查属性是否存在再读取
XML属性可能不存在,直接访问会导致NullReferenceException。应在获取前确认属性存在。
使用XElement.Attribute("name")返回XAttribute?(可空) 先判断是否为null,再读取
Value
示例:
var attr = element.Attribute("count");
if (attr != null)
{
int count = int.Parse(attr.Value);
}
安全进行数据类型转换
即使属性存在,其值也可能不是期望的数据类型,如将"abc"转为int会抛出FormatException。应使用TryParse模式避免异常。
优先使用int.TryParse、
double.TryParse等方法 返回bool表示是否成功,out参数接收结果
示例:
if (element.Attribute("price")?.Value is string priceStr &&
double.TryParse(priceStr, out double price))
{
// 使用price
}
else
{
price = 0; // 默认值
}
结合null与类型转换的安全读取
可封装通用逻辑,简化重复代码。例如扩展方法:
public static bool TryGetAttributeValue(this XElement element, string attrName, out int value)
{
value = 0;
var attr = element?.Attribute(attrName);
return attr != null && int.TryParse(attr.Value, out value);
}
调用时:
if (element.TryGetAttributeValue("age", out int age))
{
Console.WriteLine($"Age: {age}");
}
基本上就这些。只要始终检查null并用TryParse处理转换,就能避免大多数XML属性解析问题。不复杂但容易忽略。
