จะแปลงสตริง xml เป็นพจนานุกรมได้อย่างไร?


125

ฉันมีโปรแกรมที่อ่านเอกสาร xml จากซ็อกเก็ต ฉันมีเอกสาร xml ที่เก็บไว้ในสตริงซึ่งฉันต้องการแปลงโดยตรงเป็นพจนานุกรม Python แบบเดียวกับที่ทำในsimplejsonไลบรารีของ Django

เป็นตัวอย่าง:

str ="<?xml version="1.0" ?><person><name>john</name><age>20</age></person"
dic_xml = convert_to_dic(str)

แล้วdic_xmlจะมีลักษณะอย่างไร{'person' : { 'name' : 'john', 'age' : 20 } }


str มีข้อผิดพลาดทางไวยากรณ์เล็กน้อย ลอง: str = '<? xml version = "1.0"?> <person> <name> john </name> <age> 20 </age> </person>'
Keir

คำตอบ:


59

นี่เป็นโมดูลที่ยอดเยี่ยมที่ใครบางคนสร้างขึ้น ฉันใช้มันหลายครั้ง http://code.activestate.com/recipes/410469-xml-as-dictionary/

นี่คือรหัสจากเว็บไซต์ในกรณีที่ลิงก์ไม่ดี

from xml.etree import cElementTree as ElementTree

class XmlListConfig(list):
    def __init__(self, aList):
        for element in aList:
            if element:
                # treat like dict
                if len(element) == 1 or element[0].tag != element[1].tag:
                    self.append(XmlDictConfig(element))
                # treat like list
                elif element[0].tag == element[1].tag:
                    self.append(XmlListConfig(element))
            elif element.text:
                text = element.text.strip()
                if text:
                    self.append(text)


class XmlDictConfig(dict):
    '''
    Example usage:

    >>> tree = ElementTree.parse('your_file.xml')
    >>> root = tree.getroot()
    >>> xmldict = XmlDictConfig(root)

    Or, if you want to use an XML string:

    >>> root = ElementTree.XML(xml_string)
    >>> xmldict = XmlDictConfig(root)

    And then use xmldict for what it is... a dict.
    '''
    def __init__(self, parent_element):
        if parent_element.items():
            self.update(dict(parent_element.items()))
        for element in parent_element:
            if element:
                # treat like dict - we assume that if the first two tags
                # in a series are different, then they are all different.
                if len(element) == 1 or element[0].tag != element[1].tag:
                    aDict = XmlDictConfig(element)
                # treat like list - we assume that if the first two tags
                # in a series are the same, then the rest are the same.
                else:
                    # here, we put the list in dictionary; the key is the
                    # tag name the list elements all share in common, and
                    # the value is the list itself 
                    aDict = {element[0].tag: XmlListConfig(element)}
                # if the tag has attributes, add those to the dict
                if element.items():
                    aDict.update(dict(element.items()))
                self.update({element.tag: aDict})
            # this assumes that if you've got an attribute in a tag,
            # you won't be having any text. This may or may not be a 
            # good idea -- time will tell. It works for the way we are
            # currently doing XML configuration files...
            elif element.items():
                self.update({element.tag: dict(element.items())})
            # finally, if there are no child tags and no attributes, extract
            # the text
            else:
                self.update({element.tag: element.text})

ตัวอย่างการใช้งาน:

tree = ElementTree.parse('your_file.xml')
root = tree.getroot()
xmldict = XmlDictConfig(root)

// หรือถ้าคุณต้องการใช้สตริง XML:

root = ElementTree.XML(xml_string)
xmldict = XmlDictConfig(root)

4
คุณสามารถใช้ 'xmltodict' หรือ
mrash

7
ฉันลองแล้วและเร็วกว่า xmltodict มาก สำหรับการแยกวิเคราะห์ไฟล์ xml 80MB นั้นใช้เวลา 7 วินาทีโดย xmltodict ใช้เวลา 90 วินาที
Eddy

1
ยืนยัน ... ฉันไม่ได้ทดสอบสิ่งนี้กับทุกกรณี edge แต่สำหรับสตริง XML ที่ค่อนข้างไม่ซับซ้อนของฉันมันค่อนข้างเร็ว (เร็วกว่าxmltodictไลบรารีประมาณ 8 เท่า) ข้อเสียคือคุณต้องโฮสต์เองภายในโครงการของคุณ
Dirk

10
สวัสดีการทำงานนี้สมบูรณ์แบบจะเพิ่มเพียงตัวอย่างสำหรับผู้ที่หาไม่พบcElementTreeเพียงแค่เปลี่ยนบรรทัดแรกเป็น: from xml.etree import cElementTree as ElementTree
Rafael Aguilar

2
ลงคะแนนเนื่องจากมีคำตอบที่ดีกว่าที่โพสต์ไว้ด้านล่างโดยเฉพาะอย่างยิ่งในการจัดการแท็กหลายแท็กที่มีชื่อเดียวกัน
Maksym

282

xmltodict (การเปิดเผยแบบเต็ม: ฉันเขียนไว้) ทำอย่างนั้น:

xmltodict.parse("""
<?xml version="1.0" ?>
<person>
  <name>john</name>
  <age>20</age>
</person>""")
# {u'person': {u'age': u'20', u'name': u'john'}}

22
นี่เป็นโมดูลที่ยอดเยี่ยม
zekel

2
คุณเพิ่งช่วยฉันได้มาก ทำให้วันของฉัน
LRE

3
สำหรับ googlenauts ในอนาคต - ฉันสามารถใช้สิ่งนี้ใน App Engine ซึ่งฉันเชื่อว่าไม่ได้เล่นกับไลบรารี xml ส่วนใหญ่ใน Python
LRE

2
u บ่งบอกว่ามันถูกเก็บไว้ในสตริง Unicode ไม่มีผลต่อค่าของสตริง แต่อย่างใด
Joshua Olson

2
ดี และใช่ @ypercube มีฟังก์ชัน xmldict.unparse () สำหรับการย้อนกลับ
Duther

47

XML ของการหลาม-Dict หน่วยงานข้อมูลโค้ดแยกวิเคราะห์ต่อไปเช่นเดียวกับคุณสมบัติดังต่อไปนี้ XML เพื่อ JSON "สเปค" เป็นโซลูชันทั่วไปที่จัดการกับ XML ทุกกรณี

from collections import defaultdict

def etree_to_dict(t):
    d = {t.tag: {} if t.attrib else None}
    children = list(t)
    if children:
        dd = defaultdict(list)
        for dc in map(etree_to_dict, children):
            for k, v in dc.items():
                dd[k].append(v)
        d = {t.tag: {k:v[0] if len(v) == 1 else v for k, v in dd.items()}}
    if t.attrib:
        d[t.tag].update(('@' + k, v) for k, v in t.attrib.items())
    if t.text:
        text = t.text.strip()
        if children or t.attrib:
            if text:
              d[t.tag]['#text'] = text
        else:
            d[t.tag] = text
    return d

ใช้:

from xml.etree import cElementTree as ET
e = ET.XML('''
<root>
  <e />
  <e>text</e>
  <e name="value" />
  <e name="value">text</e>
  <e> <a>text</a> <b>text</b> </e>
  <e> <a>text</a> <a>text</a> </e>
  <e> text <a>text</a> </e>
</root>
''')

from pprint import pprint
pprint(etree_to_dict(e))

ผลลัพธ์ของตัวอย่างนี้ (ตาม "ข้อกำหนด" ที่ลิงก์ด้านบน) ควรเป็น:

{'root': {'e': [None,
                'text',
                {'@name': 'value'},
                {'#text': 'text', '@name': 'value'},
                {'a': 'text', 'b': 'text'},
                {'a': ['text', 'text']},
                {'#text': 'text', 'a': 'text'}]}}

ไม่จำเป็นต้องสวย แต่มันไม่คลุมเครือและอินพุต XML ที่ง่ายกว่าส่งผลให้ JSON ง่ายขึ้น :)


ปรับปรุง

หากคุณต้องการทำย้อนกลับให้ปล่อยสตริง XML จาก JSON / dictคุณสามารถใช้:

try:
  basestring
except NameError:  # python3
  basestring = str

def dict_to_etree(d):
    def _to_etree(d, root):
        if not d:
            pass
        elif isinstance(d, basestring):
            root.text = d
        elif isinstance(d, dict):
            for k,v in d.items():
                assert isinstance(k, basestring)
                if k.startswith('#'):
                    assert k == '#text' and isinstance(v, basestring)
                    root.text = v
                elif k.startswith('@'):
                    assert isinstance(v, basestring)
                    root.set(k[1:], v)
                elif isinstance(v, list):
                    for e in v:
                        _to_etree(e, ET.SubElement(root, k))
                else:
                    _to_etree(v, ET.SubElement(root, k))
        else:
            raise TypeError('invalid type: ' + str(type(d)))
    assert isinstance(d, dict) and len(d) == 1
    tag, body = next(iter(d.items()))
    node = ET.Element(tag)
    _to_etree(body, node)
    return ET.tostring(node)

pprint(dict_to_etree(d))

1
ขอบคุณสำหรับรหัสนี้! ข้อมูลเพิ่มเติม: หากคุณใช้ python 2.5 คุณไม่สามารถใช้ความเข้าใจในพจนานุกรมได้ดังนั้นคุณต้องเปลี่ยนบรรทัด d = {t.tag: {k:v[0] if len(v) == 1 else v for k, v in dd.iteritems()}} เป็น d = { t.tag: dict( (k, v[0] if len(v) == 1 else v) for k, v in dd.iteritems() ) }

2
ฉันได้ทดสอบโมดูล snippets / python / ฯลฯ เกือบ 10 รายการแล้ว อันนี้ดีที่สุดที่ฉันเจอ จากการทดสอบของฉันคือ 1) เร็วกว่าgithub.com/martinblech/xmltodict มาก (อิงตาม XML SAX api) 2) ดีกว่าgithub.com/mcspring/XML2Dictซึ่งมีปัญหาเล็กน้อยเมื่อเด็กหลายคนมีชื่อเดียวกัน 3 ) ดีกว่าcode.activestate.com/recipes/410469-xml-as-dictionary ซึ่งมีปัญหาเล็กน้อยเช่นกันและที่สำคัญกว่า: 4) โค้ดที่สั้นกว่าโค้ดก่อนหน้านี้มาก! ขอบคุณ @ K3 --- rnc
Basj

นี่คือคำตอบที่ครอบคลุมที่สุดและใช้ได้กับ> 2.6 และมีความยืดหยุ่นพอสมควร ปัญหาเดียวของฉันคือข้อความสามารถเปลี่ยนตำแหน่งที่อยู่ได้ขึ้นอยู่กับว่ามีแอตทริบิวต์หรือไม่) ฉันโพสต์วิธีแก้ปัญหาที่เล็กลงและเข้มงวดมากขึ้นเช่นกัน
Erik Aronesty

1
หากคุณต้องการรับคำสั่งจากไฟล์ XML โปรดใช้ตัวอย่างเดียวกันนี้โดยมีการปรับเปลี่ยนเล็กน้อย (ดูคำตอบของฉันด้านล่าง): stackoverflow.com/questions/2148119/…
serfer2

และนี่ก็เป็นรักที่ดีและรวดเร็วเมื่อใช้กับหรือcElementTree lxml.etreeโปรดทราบว่าเมื่อใช้ Python 3 ทั้งหมด.iteritems()จะต้องเปลี่ยนเป็น.items()(ลักษณะการทำงานเดียวกัน แต่คีย์เวิร์ดเปลี่ยนจาก Python 2 เป็น 3)
Dirk

25

รุ่นที่มีน้ำหนักเบาแม้ว่าจะไม่สามารถกำหนดค่าได้ แต่ก็ค่อนข้างง่ายในการปรับแต่งตามต้องการและใช้งานได้กับงูเหลือมตัวเก่า นอกจากนี้ยังมีความเข้มงวด - หมายความว่าผลลัพธ์จะเหมือนกันโดยไม่คำนึงถึงการมีอยู่ของคุณลักษณะ

import xml.etree.ElementTree as ET

from copy import copy

def dictify(r,root=True):
    if root:
        return {r.tag : dictify(r, False)}
    d=copy(r.attrib)
    if r.text:
        d["_text"]=r.text
    for x in r.findall("./*"):
        if x.tag not in d:
            d[x.tag]=[]
        d[x.tag].append(dictify(x,False))
    return d

ดังนั้น:

root = ET.fromstring("<erik><a x='1'>v</a><a y='2'>w</a></erik>")

dictify(root)

ผลลัพธ์ใน:

{'erik': {'a': [{'x': '1', '_text': 'v'}, {'y': '2', '_text': 'w'}]}}

2
ฉันชอบวิธีนี้ ง่ายและไม่ต้องใช้ libs ภายนอก
MattK

6

เวอร์ชันล่าสุดของไลบรารี PicklingTools (1.3.0 และ 1.3.1) สนับสนุนเครื่องมือสำหรับการแปลงจาก XML เป็น Python dict

ดาวน์โหลดได้ที่นี่: PicklingTools 1.3.1

มีเอกสารประกอบเล็กน้อยสำหรับตัวแปลงที่นี่ : เอกสารประกอบอธิบายรายละเอียดเกี่ยวกับการตัดสินใจและปัญหาทั้งหมดที่จะเกิดขึ้นเมื่อแปลงระหว่างพจนานุกรม XML และ Python (มีหลายกรณีขอบ: แอตทริบิวต์, รายการ, รายการที่ไม่ระบุชื่อ, ไม่ระบุชื่อ dicts, eval ฯลฯ ที่ตัวแปลงส่วนใหญ่ไม่สามารถจัดการได้) โดยทั่วไปแล้วตัวแปลงนั้นใช้งานง่าย หาก 'example.xml' มี:

<top>
  <a>1</a>
  <b>2.2</b>
  <c>three</c>
</top>

จากนั้นแปลงเป็นพจนานุกรม:

>>> from xmlloader import *
>>> example = file('example.xml', 'r')   # A document containing XML
>>> xl = StreamXMLLoader(example, 0)     # 0 = all defaults on operation
>>> result = xl.expect XML()
>>> print result
{'top': {'a': '1', 'c': 'three', 'b': '2.2'}}

มีเครื่องมือสำหรับการแปลงทั้งใน C ++ และ Python: C ++ และ Python ทำการแปลงแบบเยื้อง แต่ C ++ เร็วกว่าประมาณ 60 เท่า


แน่นอนว่าถ้ามี 2 a นี่ไม่ใช่รูปแบบที่ดี
Erik Aronesty

1
ดูน่าสนใจ แต่ฉันยังไม่ทราบว่า PicklingTools มีไว้เพื่อใช้งานอย่างไร - นี่เป็นเพียงไฟล์ซอร์สโค้ด tarball ที่ฉันต้องหาไฟล์ที่เหมาะสมกับงานของฉันแล้วคัดลอกลงในโครงการของฉันหรือไม่ ไม่มีโมดูลให้โหลดหรืออะไรที่ง่ายกว่านี้?
Dirk

ฉันได้รับ: ในpeekIntoNextNWSChar c = self.is .read (1) AttributeError: วัตถุ 'str' ไม่มีแอตทริบิวต์ 'read'
sqp_125

5

คุณสามารถทำได้อย่างง่ายดายด้วย lxml ก่อนติดตั้ง:

[sudo] pip install lxml

นี่คือฟังก์ชั่นวนซ้ำที่ฉันเขียนไว้ว่าจะยกของหนักให้คุณ:

from lxml import objectify as xml_objectify


def xml_to_dict(xml_str):
    """ Convert xml to dict, using lxml v3.4.2 xml processing library """
    def xml_to_dict_recursion(xml_object):
        dict_object = xml_object.__dict__
        if not dict_object:
            return xml_object
        for key, value in dict_object.items():
            dict_object[key] = xml_to_dict_recursion(value)
        return dict_object
    return xml_to_dict_recursion(xml_objectify.fromstring(xml_str))

xml_string = """<?xml version="1.0" encoding="UTF-8"?><Response><NewOrderResp>
<IndustryType>Test</IndustryType><SomeData><SomeNestedData1>1234</SomeNestedData1>
<SomeNestedData2>3455</SomeNestedData2></SomeData></NewOrderResp></Response>"""

print xml_to_dict(xml_string)

ตัวแปรด้านล่างรักษาคีย์ / องค์ประกอบหลัก:

def xml_to_dict(xml_str):
    """ Convert xml to dict, using lxml v3.4.2 xml processing library, see http://lxml.de/ """
    def xml_to_dict_recursion(xml_object):
        dict_object = xml_object.__dict__
        if not dict_object:  # if empty dict returned
            return xml_object
        for key, value in dict_object.items():
            dict_object[key] = xml_to_dict_recursion(value)
        return dict_object
    xml_obj = objectify.fromstring(xml_str)
    return {xml_obj.tag: xml_to_dict_recursion(xml_obj)}

หากคุณต้องการส่งคืนทรีย่อยเท่านั้นและแปลงเป็น dict คุณสามารถใช้Element.find ()เพื่อรับทรีย่อยแล้วแปลง:

xml_obj.find('.//')  # lxml.objectify.ObjectifiedElement instance

ดูเอกสาร lxml ที่นี่ ฉันหวังว่านี่จะช่วยได้!


5

คำเตือน: ตัวแยกวิเคราะห์ XML ที่แก้ไขนี้ได้รับแรงบันดาลใจจากAdam Clark ตัวแยกวิเคราะห์ XML ดั้งเดิมใช้งานได้กับกรณีทั่วไปส่วนใหญ่ อย่างไรก็ตามมันใช้ไม่ได้กับไฟล์ XML ที่ซับซ้อนบางไฟล์ ฉันแก้ไขข้อบกพร่องของรหัสทีละบรรทัดและในที่สุดก็แก้ไขปัญหาบางอย่าง หากคุณพบข้อบกพร่องบางอย่างโปรดแจ้งให้เราทราบ ฉันดีใจที่ได้แก้ไข

class XmlDictConfig(dict):  
    '''   
    Note: need to add a root into if no exising    
    Example usage:
    >>> tree = ElementTree.parse('your_file.xml')
    >>> root = tree.getroot()
    >>> xmldict = XmlDictConfig(root)
    Or, if you want to use an XML string:
    >>> root = ElementTree.XML(xml_string)
    >>> xmldict = XmlDictConfig(root)
    And then use xmldict for what it is... a dict.
    '''
    def __init__(self, parent_element):
        if parent_element.items():
            self.updateShim( dict(parent_element.items()) )
        for element in parent_element:
            if len(element):
                aDict = XmlDictConfig(element)
            #   if element.items():
            #   aDict.updateShim(dict(element.items()))
                self.updateShim({element.tag: aDict})
            elif element.items():    # items() is specialy for attribtes
                elementattrib= element.items()
                if element.text:           
                    elementattrib.append((element.tag,element.text ))     # add tag:text if there exist
                self.updateShim({element.tag: dict(elementattrib)})
            else:
                self.updateShim({element.tag: element.text})

    def updateShim (self, aDict ):
        for key in aDict.keys():   # keys() includes tag and attributes
            if key in self:
                value = self.pop(key)
                if type(value) is not list:
                    listOfDicts = []
                    listOfDicts.append(value)
                    listOfDicts.append(aDict[key])
                    self.update({key: listOfDicts})
                else:
                    value.append(aDict[key])
                    self.update({key: value})
            else:
                self.update({key:aDict[key]})  # it was self.update(aDict)    

3
def xml_to_dict(node):
    u''' 
    @param node:lxml_node
    @return: dict 
    '''

    return {'tag': node.tag, 'text': node.text, 'attrib': node.attrib, 'children': {child.tag: xml_to_dict(child) for child in node}}

2

ตัวแยกวิเคราะห์ XML ที่ใช้ง่ายที่สุดสำหรับ Python คือ ElementTree (ตั้งแต่ 2.5x ขึ้นไปอยู่ในไลบรารีมาตรฐาน xml.etree.ElementTree) ฉันไม่คิดว่าจะมีอะไรที่ตรงกับสิ่งที่คุณต้องการนอกกรอบ การเขียนบางสิ่งเพื่อทำสิ่งที่คุณต้องการโดยใช้ ElementTree เป็นเรื่องเล็กน้อย แต่ทำไมต้องแปลงเป็นพจนานุกรมและทำไมไม่ใช้ ElementTree โดยตรง


2

โค้ดจากhttp://code.activestate.com/recipes/410469-xml-as-dictionary/ ใช้งานได้ดี แต่ถ้ามีองค์ประกอบหลายอย่างที่เหมือนกันในตำแหน่งที่กำหนดในลำดับชั้นก็จะลบล้างองค์ประกอบเหล่านั้น

ฉันเพิ่ม shim ระหว่างที่ดูว่ามีองค์ประกอบอยู่แล้วก่อน self.update () หรือไม่ หากเป็นเช่นนั้นให้แสดงรายการที่มีอยู่และสร้างรายการจากรายการที่มีอยู่และรายการใหม่ รายการที่ซ้ำกันในภายหลังจะถูกเพิ่มลงในรายการ

ไม่แน่ใจว่าสามารถจัดการได้อย่างสง่างามกว่านี้หรือไม่ แต่ใช้งานได้:

import xml.etree.ElementTree as ElementTree

class XmlDictConfig(dict):
    def __init__(self, parent_element):
        if parent_element.items():
            self.updateShim(dict(parent_element.items()))
        for element in parent_element:
            if len(element):
                aDict = XmlDictConfig(element)
                if element.items():
                    aDict.updateShim(dict(element.items()))
                self.updateShim({element.tag: aDict})
            elif element.items():
                self.updateShim({element.tag: dict(element.items())})
            else:
                self.updateShim({element.tag: element.text.strip()})

    def updateShim (self, aDict ):
        for key in aDict.keys():
            if key in self:
                value = self.pop(key)
                if type(value) is not list:
                    listOfDicts = []
                    listOfDicts.append(value)
                    listOfDicts.append(aDict[key])
                    self.update({key: listOfDicts})

                else:
                    value.append(aDict[key])
                    self.update({key: value})
            else:
                self.update(aDict)

2

จาก @ K3 --- rnc response (ดีที่สุดสำหรับฉัน) ฉันได้เพิ่มการแก้ไขเล็กน้อยเพื่อรับ OrderDict จากข้อความ XML (บางครั้งคำสั่งมีความสำคัญ):

def etree_to_ordereddict(t):
d = OrderedDict()
d[t.tag] = OrderedDict() if t.attrib else None
children = list(t)
if children:
    dd = OrderedDict()
    for dc in map(etree_to_ordereddict, children):
        for k, v in dc.iteritems():
            if k not in dd:
                dd[k] = list()
            dd[k].append(v)
    d = OrderedDict()
    d[t.tag] = OrderedDict()
    for k, v in dd.iteritems():
        if len(v) == 1:
            d[t.tag][k] = v[0]
        else:
            d[t.tag][k] = v
if t.attrib:
    d[t.tag].update(('@' + k, v) for k, v in t.attrib.iteritems())
if t.text:
    text = t.text.strip()
    if children or t.attrib:
        if text:
            d[t.tag]['#text'] = text
    else:
        d[t.tag] = text
return d

ต่อไปนี้ @ K3 --- rnc ตัวอย่างคุณสามารถใช้มัน:

from xml.etree import cElementTree as ET
e = ET.XML('''
<root>
  <e />
  <e>text</e>
  <e name="value" />
  <e name="value">text</e>
  <e> <a>text</a> <b>text</b> </e>
  <e> <a>text</a> <a>text</a> </e>
  <e> text <a>text</a> </e>
</root>
''')

from pprint import pprint
pprint(etree_to_ordereddict(e))

หวังว่ามันจะช่วย;)


1

นี่คือลิงค์ไปยังโซลูชัน ActiveState - และรหัสในกรณีที่มันหายไปอีกครั้ง

==================================================
xmlreader.py:
==================================================
from xml.dom.minidom import parse


class NotTextNodeError:
    pass


def getTextFromNode(node):
    """
    scans through all children of node and gathers the
    text. if node has non-text child-nodes, then
    NotTextNodeError is raised.
    """
    t = ""
    for n in node.childNodes:
    if n.nodeType == n.TEXT_NODE:
        t += n.nodeValue
    else:
        raise NotTextNodeError
    return t


def nodeToDic(node):
    """
    nodeToDic() scans through the children of node and makes a
    dictionary from the content.
    three cases are differentiated:
    - if the node contains no other nodes, it is a text-node
    and {nodeName:text} is merged into the dictionary.
    - if the node has the attribute "method" set to "true",
    then it's children will be appended to a list and this
    list is merged to the dictionary in the form: {nodeName:list}.
    - else, nodeToDic() will call itself recursively on
    the nodes children (merging {nodeName:nodeToDic()} to
    the dictionary).
    """
    dic = {} 
    for n in node.childNodes:
    if n.nodeType != n.ELEMENT_NODE:
        continue
    if n.getAttribute("multiple") == "true":
        # node with multiple children:
        # put them in a list
        l = []
        for c in n.childNodes:
            if c.nodeType != n.ELEMENT_NODE:
            continue
        l.append(nodeToDic(c))
            dic.update({n.nodeName:l})
        continue

    try:
        text = getTextFromNode(n)
    except NotTextNodeError:
            # 'normal' node
            dic.update({n.nodeName:nodeToDic(n)})
            continue

        # text node
        dic.update({n.nodeName:text})
    continue
    return dic


def readConfig(filename):
    dom = parse(filename)
    return nodeToDic(dom)





def test():
    dic = readConfig("sample.xml")

    print dic["Config"]["Name"]
    print
    for item in dic["Config"]["Items"]:
    print "Item's Name:", item["Name"]
    print "Item's Value:", item["Value"]

test()



==================================================
sample.xml:
==================================================
<?xml version="1.0" encoding="UTF-8"?>

<Config>
    <Name>My Config File</Name>

    <Items multiple="true">
    <Item>
        <Name>First Item</Name>
        <Value>Value 1</Value>
    </Item>
    <Item>
        <Name>Second Item</Name>
        <Value>Value 2</Value>
    </Item>
    </Items>

</Config>



==================================================
output:
==================================================
My Config File

Item's Name: First Item
Item's Value: Value 1
Item's Name: Second Item
Item's Value: Value 2

ใช่แล้ว. ทำซ้ำรหัสที่นี่ในกรณีที่เกิดขึ้นอีกครั้ง
Jamie Bull

0

เมื่อถึงจุดหนึ่งฉันต้องแยกวิเคราะห์และเขียน XML ที่ประกอบด้วยองค์ประกอบที่ไม่มีแอตทริบิวต์เท่านั้นดังนั้นการแมป 1: 1 จาก XML เป็น dict จึงทำได้อย่างง่ายดาย นี่คือสิ่งที่ฉันคิดขึ้นในกรณีที่มีคนอื่นไม่ต้องการคุณสมบัติ:

def xmltodict(element):
    if not isinstance(element, ElementTree.Element):
        raise ValueError("must pass xml.etree.ElementTree.Element object")

    def xmltodict_handler(parent_element):
        result = dict()
        for element in parent_element:
            if len(element):
                obj = xmltodict_handler(element)
            else:
                obj = element.text

            if result.get(element.tag):
                if hasattr(result[element.tag], "append"):
                    result[element.tag].append(obj)
                else:
                    result[element.tag] = [result[element.tag], obj]
            else:
                result[element.tag] = obj
        return result

    return {element.tag: xmltodict_handler(element)}


def dicttoxml(element):
    if not isinstance(element, dict):
        raise ValueError("must pass dict type")
    if len(element) != 1:
        raise ValueError("dict must have exactly one root key")

    def dicttoxml_handler(result, key, value):
        if isinstance(value, list):
            for e in value:
                dicttoxml_handler(result, key, e)
        elif isinstance(value, basestring):
            elem = ElementTree.Element(key)
            elem.text = value
            result.append(elem)
        elif isinstance(value, int) or isinstance(value, float):
            elem = ElementTree.Element(key)
            elem.text = str(value)
            result.append(elem)
        elif value is None:
            result.append(ElementTree.Element(key))
        else:
            res = ElementTree.Element(key)
            for k, v in value.items():
                dicttoxml_handler(res, k, v)
            result.append(res)

    result = ElementTree.Element(element.keys()[0])
    for key, value in element[element.keys()[0]].items():
        dicttoxml_handler(result, key, value)
    return result

def xmlfiletodict(filename):
    return xmltodict(ElementTree.parse(filename).getroot())

def dicttoxmlfile(element, filename):
    ElementTree.ElementTree(dicttoxml(element)).write(filename)

def xmlstringtodict(xmlstring):
    return xmltodict(ElementTree.fromstring(xmlstring).getroot())

def dicttoxmlstring(element):
    return ElementTree.tostring(dicttoxml(element))

0

@dibrovsd: โซลูชันจะไม่ทำงานหาก xml มีมากกว่าหนึ่งแท็กที่มีชื่อเดียวกัน

ตามแนวความคิดของคุณฉันได้แก้ไขโค้ดเล็กน้อยและเขียนสำหรับโหนดทั่วไปแทนรูท:

from collections import defaultdict
def xml2dict(node):
    d, count = defaultdict(list), 1
    for i in node:
        d[i.tag + "_" + str(count)]['text'] = i.findtext('.')[0]
        d[i.tag + "_" + str(count)]['attrib'] = i.attrib # attrib gives the list
        d[i.tag + "_" + str(count)]['children'] = xml2dict(i) # it gives dict
     return d

0

ฉันได้แก้ไขหนึ่งในคำตอบสำหรับรสนิยมของฉันและเพื่อทำงานกับหลายค่าด้วยแท็กเดียวกันตัวอย่างเช่นพิจารณาโค้ด xml ต่อไปนี้ที่บันทึกในไฟล์ XML.xml

     <A>
        <B>
            <BB>inAB</BB>
            <C>
                <D>
                    <E>
                        inABCDE
                    </E>
                    <E>value2</E>
                    <E>value3</E>
                </D>
                <inCout-ofD>123</inCout-ofD>
            </C>
        </B>
        <B>abc</B>
        <F>F</F>
    </A>

และใน python

import xml.etree.ElementTree as ET




class XMLToDictionary(dict):
    def __init__(self, parentElement):
        self.parentElement = parentElement
        for child in list(parentElement):
            child.text = child.text if (child.text != None) else  ' '
            if len(child) == 0:
                self.update(self._addToDict(key= child.tag, value = child.text.strip(), dict = self))
            else:
                innerChild = XMLToDictionary(parentElement=child)
                self.update(self._addToDict(key=innerChild.parentElement.tag, value=innerChild, dict=self))

    def getDict(self):
        return {self.parentElement.tag: self}

    class _addToDict(dict):
        def __init__(self, key, value, dict):
            if not key in dict:
                self.update({key: value})
            else:
                identical = dict[key] if type(dict[key]) == list else [dict[key]]
                self.update({key: identical + [value]})


tree = ET.parse('./XML.xml')
root = tree.getroot()
parseredDict = XMLToDictionary(root).getDict()
print(parseredDict)

ผลลัพธ์คือ

{'A': {'B': [{'BB': 'inAB', 'C': {'D': {'E': ['inABCDE', 'value2', 'value3']}, 'inCout-ofD': '123'}}, 'abc'], 'F': 'F'}}

-2

ฉันมีวิธีการเรียกซ้ำเพื่อรับพจนานุกรมจากองค์ประกอบ lxml

    def recursive_dict(element):
        return (element.tag.split('}')[1],
                dict(map(recursive_dict, element.getchildren()),
                     **element.attrib))

1
โซลูชันนี้ไม่มีรหัสบางอย่างเช่นการนำเข้าและตั้งค่า ฉันได้รับข้อความ 'str' object ไม่มีแอตทริบิวต์ 'tag'
Chris Nielsen
โดยการใช้ไซต์ของเรา หมายความว่าคุณได้อ่านและทำความเข้าใจนโยบายคุกกี้และนโยบายความเป็นส่วนตัวของเราแล้ว
Licensed under cc by-sa 3.0 with attribution required.