1
  1. こんにちは、私は次のような XML ファイルを持っています。誰かが XML ファイルから特定のタグを取得するのを手伝ってくれませんか:

               <A1>
                <A><B>TEST1</B></A>
                <A><B>TEST2</B></A>
                <A><B>TEST3</B></A>
               </A1>
    
                <A1>
                <A><B>TEST4</B></A>
                <A><B>TEST5</B></A>
                <A><B>TEST6</B></A>
               </A1>
    

今まで、私は次のようにPythonで処理しています:

              for A in A1.findall('A'):
                   B = A.find('B').text
                   print B

      print B is giving me output like this:

          Test1
          Test2
          Test3
          Test4
          Test5
          Test6


   I want output from only first tag like this:

          Test1
          Test4


   What changes should I do to make it work?
4

1 に答える 1

0

よし、もう一度やってみよう。そのため、リビジョンに従ってドキュメントを検索し、親タグ (A1) が出現するたびに、各セットの最初のタグの内容を取得したいと考えています。

再帰関数を試してみましょう:

xmlData = open('xml.txt').readlines()
xml = ''.join(xmlData)

def grab(xml):
        """ Recursively walks through the whole XML data until <A1> is not found"""

        # base case, if the parent tag (<A1>) isn't there, then return
    if xml.find('<A1>') == -1:
        return 
    else:
                # find the location of the parent tag
        open_parent = xml.find('<A1>')
        close_parent = open_parent + 4

        # find the first child tag
        open_child = xml.find('<a><b>', close_parent)
        close_child = xml.find('</b></a>', open_child)

                # grab the data within that tag
        child_data = xml[open_child + 6 : close_child]
        print(child_data)

                # recursively call the grab() function
        return grab(xml[close_child:])

興味深いことに、共有してもかまわない解決策が既にありますか?

于 2013-03-18T09:48:47.097 に答える