使用 XDocument 解析 xml - 反序列化
本文关键字:反序列化 xml 解析 XDocument 使用 | 更新日期: 2023-09-27 18:31:14
>我有以下 xml
<?xml version="1.0" encoding="UTF-8"?>
<Actions>
<add order-id="1" symbol="ABC" price="5" quantity="200" />
<add order-id="2" symbol="123" price="15" quantity="100" />
<add order-id="3" symbol="ABC" price="5" quantity="300" />
<add order-id="4" symbol="ABC" price="7" quantity="150" />
<edit order-id="1" price="7" quantity="200" />
<remove order-id="4" />
<add order-id="5" symbol="123" price="17" quantity="300" />
<add order-id="6" symbol="123" price="12" quantity="150" />
<edit order-id="3" price="7" quantity="200" />
<remove order-id="5" />
</Actions>
我需要使用 linq 将其解析为以下对象结构:
internal class OrderAction
{
private readonly Action action;
private readonly Order order;
public Action Action { get { return action; }}
public Order Order { get { return order; }}
public OrderAction(Action action,Order order)
{
this.action = action;
this.order = order;
}
}
操作public enum Action { ADD, REMOVE, EDIT }
的位置
订单如下:
class Order
{
public Order(long orderId, String symbol, int price, int quantity)
{
this.orderId = orderId;
this.symbol = symbol;
this.price = price;
this.quantity = quantity;
}
public long orderId { get; private set; }
public String symbol { get; private set; }
public int price { get; private set; }
public int quantity { get; private set; }
}
我需要将 xml 加载到 xdocument 中,并在文件中找到所有 IEnumerable 的订单操作。如何在不诉诸序列化属性的情况下执行此操作?
在"编辑和删除"的情况下,缺少Order
属性的值应该是什么?我假设了string
和int
的默认值...
这将是 LINQ 语句(假设您的XDocument
称为 doc
):
var result = doc
.Root
.Elements()
.Select(elem => new OrderAction
(
(Action)Enum.Parse(typeof(Action), elem.Name.LocalName.ToUpper()),
new Order
(
elem.Attributes("order-id").Select(x => long.Parse(x.Value)).FirstOrDefault(),
elem.Attributes("symbol").Select(x => x.Value).FirstOrDefault(),
elem.Attributes("price").Select(x => int.Parse(x.Value)).FirstOrDefault(),
elem.Attributes("quantity").Select(x => int.Parse(x.Value)).FirstOrDefault()
)
));
这是我最好的镜头
XElement doc = XElement.Load("d:''tst.xml");
List<OrderAction> lst = doc.Elements().Select(x =>
new OrderAction(
(Action)
Enum.Parse(typeof (Action),
x.Name.ToString().ToUpper()),
new Order(
long.Parse(x.Attribute("order-id").Value),
x.Attribute("symbol") != null ? x.Attribute("symbol").Value : "",
x.Attribute("price") != null ? int.Parse(x.Attribute("price").Value) : 0,
x.Attribute("quantity") != null ? int.Parse(x.Attribute("quantity").Value): 0))
).ToList();
我花了一段时间...我不习惯那么大的 linq 解析