0

Python xml解析スクリプトを使用して、wolframapiの出力を取得しようとしています。これが私のスクリプトです:

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 に答える