我有一个查询,该查询从xml文件中提取数据。
文件看起来像这样
<?xml version="1.0" encoding="utf-8" ?>
<CommodityData>
<Commodity id="Corn">
<Year value="2019">
<AcresPlanted value="90005000" />
<AcresHarvested value="82017000" />
<AcresProduced value="13900651000" />
<YieldBuAcre value="169.5" />
</Year>
<Year value="2018">
<AcresPlanted value="89129000" />
<AcresHarvested value="81740000" />
<AcresProduced value="14420101000" />
<YieldBuAcre value="176.4" />
</Year>
//...and so on
我有数据的DTO
public class GrainDataNass
{
public string Commodity { get; set; }
public string Year { get; set; }
public string AcresPlanted { get; set; }
public string AcresHarvested { get; set; }
public string AcresProduced { get; set; }
public string YieldBuAcre { get; set; }
}
我可以通过此查询检索所有数据
public List<GrainDataNass> GetGrainData(string commodity)
{
var query = _doc.Descendants("Commodity")
.Where(el => commodity == (string) el.Attribute("id"))
.Descendants("Year").Select(u => new GrainDataNass
{
Commodity = commodity,
Year = u.Attribute("value")?.Value.ToString(),
AcresPlanted = u.Element("AcresPlanted")?.Attribute("value")?.Value,
AcresHarvested = u.Element("AcresHarvested")?.Attribute("value")?.Value,
AcresProduced = u.Element("AcresProduced")?.Attribute("value")?.Value,
YieldBuAcre = u.Element("YieldBuAcre")?.Attribute("value")?.Value
}).ToList();
return query;
}
我用此数据生成的图表需要数据字段AcresPlanted,AcresHarvested等为数字。小数,因为我将面积和生产领域除以1,000,000,因为它们是如此之大。 (是的,我更改了Dto以反映类型更改)
我尝试在查询本身中这样做,首先,仅使用yield数据,因为它看起来像十进制,因为大多数值都是十进制,即156.4、160.3等
{
Commodity = commodity,
Year = u.Attribute("value")?.Value,
AcresPlanted = u.Element("AcresPlanted")?.Attribute("value")?.Value,
AcresHarvested = u.Element("AcresHarvested")?.Attribute("value")?.Value,
AcresProduced = u.Element("AcresProduced")?.Attribute("value")?.Value,
YieldBuAcre = Convert.ToDecimal(u.Element("YieldBuAcre")?.Attribute("value")?.Value)
}).ToList();
我还尝试将其他3个值转换为双精度或多长时间,以便将它们除以1,000,000,但所有转换尝试均产生异常
“输入字符串格式不正确”
我不能在查询中转换数据吗?从xml文件中将其提取后,是否需要对其进行转换?
任何帮助表示赞赏。
答案 0 :(得分:1)
Convert.ToDecimal(string)
执行特定于文化的转换,如果文化的小数点分隔符不是'。',则转换可能会失败。
选项1:使用Convert.ToDecimal(string, CultureInfo.InvariantCulture)
选项2:XAttribute具有转换工具内置的转换工具,这些转换工具根据XML规则进行转换,例如(decimal?)attribute
。使用第二个选项(我更喜欢),您的代码将是:
_doc.Descendants("Commodity")
.Where(el => commodity == (string) el.Attribute("id"))
.Descendants("Year").Select(u => new GrainDataNass
{
Year = u.Attribute("value")?.Value.ToString(),
AcresPlanted = u.Element("AcresPlanted")?.Attribute("value")?.Value,
AcresHarvested = u.Element("AcresHarvested")?.Attribute("value")?.Value,
AcresProduced = u.Element("AcresProduced")?.Attribute("value")?.Value,
YieldBuAcre = (decimal?)u.Element("YieldBuAcre")?.Attribute("value")
}).ToList();