0

我正在尝试使用 python xml 解析脚本来输出 wolfram api。这是我的脚本:

import urllib
import urllib.request
import xml.etree.ElementTree as ET

xml_data=urllib.request.urlopen("http://api.wolframalpha.com/v2/query?input=sqrt+2&appid=APLTT9-9WG78GYE65").read()
root = ET.fromstring(xml_data)

for child in root:
   print (child.get("title"))
   print (child.attrib)

我知道它只是获取代码标题部分中所有内容的属性,但这是一个开始。

这是输出的一个片段:

<pod title="Input" scanner="Identity" id="Input" position="100" error="false" numsubpods="1">
 <subpod title="">
 <plaintext>sqrt(2)</plaintext>

我试图让它只打印出标签中的内容。有谁知道如何编辑代码来获得它?

4

2 回答 2

2

只有<plaintext>元素包含文本:

for pt in root.findall('.//plaintext'):
    if pt.text:
        print(pt.text)

.text属性保存元素的文本。

对于您的 URL,将打印:

sqrt(2)
1.4142135623730950488016887242096980785696718753769480...
[1; 2^_]
Pythagoras's constant
sqrt(2)~~1.4142  (real, principal root)
-sqrt(2)~~-1.4142  (real root)

看起来<pod>标签也有有趣的标题:

for pod in root.findall('.//pod'):
    print(pod.attrib['title'])
    for pt in pod.findall('.//plaintext'):
        if pt.text:
            print('-', pt.text)

然后打印:

Input
- sqrt(2)
Decimal approximation
- 1.4142135623730950488016887242096980785696718753769480...
Number line
Continued fraction
- [1; 2^_]
Constant name
- Pythagoras's constant
All 2nd roots of 2
- sqrt(2)~~1.4142  (real, principal root)
- -sqrt(2)~~-1.4142  (real root)
Plot of all roots in the complex plane
于 2013-03-15T21:16:55.490 回答
0

更多示例:

 import httplib2
 import xml.etree.ElementTree as ET


def request(query):
    query = urllib.urlencode({'input':query})
    app_id = "Q6254U-URKKHH9JLL"
    wolfram_api = "http://api.wolframalpha.com/v2/query?appid="+app_id+"&format=plaintext&podtitle=Result&"+query
    resp, content = httplib2.Http().request(wolfram_api)
    return content

def response(query):
    content = request(query)    
    root = ET.fromstring(content)
    error = root.get('error')
    success = root.get('success')
    numpods = root.get('numpods')
    answer= ''
    if success and int(numpods) > 0 :
        for plaintext in root.iter('plaintext'):
            if isinstance(plaintext.text, str) :
                answer = answer + plaintext.text
        return answer
    elif error:
        return "sorry I don't know that"
request("How old is the queen")
于 2014-09-02T11:01:01.793 回答