Python和lxml中的XML

时间:2015-03-16 22:39:06

标签: python xml xml-parsing lxml

我正在使用返回XML文件的顶峰(投注)api。目前,我将其保存为.xml文件,如下所示:

req = urllib2.Request(url, headers=headers)
responseData = urllib2.urlopen(req).read()

ofn = 'pinnacle_feed_basketball.xml'
with open(ofn, 'w') as ofile:
    ofile.write(responseData)
parse_xml()

然后在parse_xml函数中打开它

tree = etree.parse("pinnacle_feed_basketball.xml")
fdtime = tree.xpath('//rsp/fd/fdTime/text()')

我假设将它保存为XML文件,然后读取文件是没有必要的,但是如果不这样做我就无法工作。

我尝试将responseData传递给parsexml()函数

parse_xml(responseData)

然后在函数

tree = etree.parse(responseData)
fdtime = tree.xpath('//rsp/fd/fdTime/text()')

但它没有用。

2 个答案:

答案 0 :(得分:1)

parse()旨在从file-like objects读取。

但是你在两种情况下传递一个字符串 - pinnacle_feed_basketball.xml字符串和responseData,这也是一个字符串。

在第一种情况下应该是:

with open("pinnacle_feed_basketball.xml") as f:
    tree = etree.parse(f)

在第二种情况下:

root = etree.fromstring(responseData)  # note that you are not getting an "ElementTree" object here

仅供参考,urllib2.urlopen(req) 也是类似文件的对象

tree = etree.parse(urllib2.urlopen(req))

答案 1 :(得分:1)

如果要解析内存中对象(在您的情况下是一个字符串),请使用etree.fromstring(<obj>) - etree.parse期望类似文件的对象或文件名 - Docs

例如:

import urllib2, lxml.etree as etree

url = 'http://www.xmlfiles.com/examples/note.xml'
headers = {}

req = urllib2.Request(url, headers=headers)
responseData = urllib2.urlopen(req).read()

element = etree.fromstring(responseData)
print(element)
print(etree.tostring(element, pretty_print=True))

输出:

<Element note at 0x2c29dc8>
<note>
  <to>Tove</to>
  <from>Jani</from>
  <heading>Reminder</heading>
  <body>Don't forget me this weekend!</body>
</note>