我一直在尝试抓取XML文件来复制来自2个标签的内容,仅限代码和来源。 xml文件如下所示:
<Series xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance">
<RunDate>2018-06-12</RunDate>
<Instruments>
<Instrument>
<Code>27BA1</Code>
<Source>YYY</Source>
</Instrument>
<Instrument>
<Code>28BA1</Code>
<Source>XXX</Source>
</Instrument>
<Code>29BA1</Code>
<Source>XXX</Source>
</Instrument>
<Code>30BA1</Code>
<Source>DDD</Source>
</Instrument>
</Instruments>
</Series>
我只是抓紧第一个代码。下面是代码。有人可以帮忙吗?
import xml.etree.ElementTree as ET
import csv
tree = ET.parse("data.xml")
csv_fname = "data.csv"
root = tree.getroot()
f = open(csv_fname, 'w')
csvwriter = csv.writer(f)
count = 0
head = ['Code', 'Source']
csvwriter.writerow(head)
for time in root.findall('Instruments'):
row = []
job_name = time.find('Instrument').find('Code').text
row.append(job_name)
job_name_1 = time.find('Instrument').find('Source').text
row.append(job_name_1)
csvwriter.writerow(row)
f.close()
答案 0 :(得分:5)
您在帖子中提供的XML文件无效。 通过在此处粘贴文件进行检查。 https://www.w3schools.com/xml/xml_validator.asp
我假设的有效xml是
<Series xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance">
<RunDate>2018-06-12</RunDate>
<Instruments>
<Instrument>
<Code>27BA1</Code>
<Source>YYY</Source>
</Instrument>
<Instrument>
<Code>28BA1</Code>
<Source>XXX</Source>
</Instrument>
<Instrument>
<Code>29BA1</Code>
<Source>XXX</Source>
</Instrument>
<Instrument>
<Code>30BA1</Code>
<Source>DDD</Source>
</Instrument>
</Instruments>
</Series>
在代码和源代码中打印值。
from lxml import etree
root = etree.parse('data.xml').getroot()
instruments = root.find('Instruments')
instrument = instruments.findall('Instrument')
for grandchild in instrument:
code, source = grandchild.find('Code'), grandchild.find('Source')
print (code.text), (source.text)
答案 1 :(得分:0)
如果您能够针对您的文档运行xslt - 我认为您可以 - 另一种方法可以使这非常简单:
<?xml version="1.0" encoding="utf-8"?>
<xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform"
xmlns:msxsl="urn:schemas-microsoft-com:xslt" exclude-result-prefixes="msxsl"
>
<xsl:output method="text"/>
<xsl:template match="/">
<xsl:text>Code,Source</xsl:text><xsl:text>
</xsl:text>
<xsl:apply-templates select="//Instrument"/>
</xsl:template>
<xsl:template match="Instrument">
<xsl:value-of select="Code"/>,<xsl:value-of select="Source"/><xsl:text>
</xsl:text>
</xsl:template>
</xsl:stylesheet>
注意<xsl:text>
</xsl:text>
元素的存在 - 这是为了插入在CSV中语义上重要的换行符,而不是XML格式。
输出:
Code,Source
27BA1,YYY
28BA1,XXX
29BA1,XXX
30BA1,DDD
要在Python中运行此功能,我猜你需要像this question中建议的方法:
import lxml.etree as ET
dom = ET.parse(xml_filename)
xslt = ET.parse(xsl_filename)
transform = ET.XSLT(xslt)
newdom = transform(dom)
print(ET.tostring(newdom, pretty_print=True))
我不使用Python,所以我不知道这是否正确。
哎呀 - 我也忽略了你的XML文档无效 - 第11和14行缺少开放的<Instrument>
元素。在它们所属的位置添加它们会使文档正确转换。