编程语言
首页 > 编程语言> > c#-从一个或多个值为空的属性创建XElement时,“值不能为空”

c#-从一个或多个值为空的属性创建XElement时,“值不能为空”

作者:互联网

我正在尝试以下代码:

XElement element = new XElement("ENTS", from i in notificationsTracking
select new XElement("ENT", 
new object[] {
    new XAttribute("ENTID", i.TrackingID),
    new XAttribute("PID", i.Response?.NotificationProvider),
    new XAttribute("UID", i.Response?.NotificationUniqueId)
}));

当响应不为null且“ NotificationProvider”或“ NotificationUniqueId”字段中存在值时,此方法会很好地工作.但是,如果这三个值中的任何一个为空,那么我都会收到一条错误消息:“值不能为空”.

我知道有一种解决方案,其中我可以将对象/属性与Null / Empty进行显式比较,并可以进行相应的转换,这将起作用.

但是,是否有任何优化或更有效的方法来解决此问题?

谢谢并恭祝安康,

尼尔曼

解决方法:

您只需要执行一次null检查就可以做到这一点(并且不需要封闭的object []):

XElement element = new XElement("ENTS", from i in notificationsTracking
select new XElement("ENT", 
    new XAttribute("ENTID", i.TrackingID),
    i.Response != null ? new [] {
        new XAttribute("PID", i.Response.NotificationProvider),
        new XAttribute("UID", i.Response.NotificationUniqueId),
        // more i.Response props ...
    } : null
));

或者,如果只有两个,只需重复检查:

XElement element = new XElement("ENTS", from i in notificationsTracking
select new XElement("ENT", 
    new XAttribute("ENTID", i.TrackingID),
    i.Response != null ? new XAttribute("PID", i.Response.NotificationProvider) : null,
    i.Response != null ? new XAttribute("UID", i.Response.NotificationUniqueId) : null
));

标签:linq-to-xml,linq,xml,c,net
来源: https://codeday.me/bug/20191111/2019284.html