1

我有一个包含值(字符串、列表、字典)的字典,我想将该字典转换为 xml 格式字符串。

包含的值可能是子字典和列表(不是固定格式)。所以我想从 dict 中获取所有值并形成 xml 字符串,而不使用任何内置函数,如(导入 xml、ElementTree 等)。

例如:

输入 :

{'Employee':{ 'Id' : 'TA23434', 'Name':'Kesavan' , 'Email':'k7@gmail.com' , 'Roles':[ {'Name':'Admin' ,'RoleId':'xa1234' },{'Name':'Engineer' , 'RoleId':'xa5678' }], 'Test':{'a':'A','b':'b'} }}

输出应该是:

<Employee>
       <Id>TA23434</Id>
       <Name>Kesaven</Name>
       <Email>, ..... </Email>
       <Roles>
             <Roles-1>
                         <Name>Admin</Name>
                         <RoleId>xa1234</RoleId>
             </Roles-1>
             <Roles-2>
                         <Name>Admin</Name>
                         <RoleId>xa1234</RoleId>
             </Roles-2>
       <Roles>
       <Test>
             <a>A</a>
         <b>B</b>
       </Test>  
</Employee>

任何人都可以就此提出建议,哪种方式很容易做到这一点。

4

1 回答 1

1

你可以使用这样的东西:

def to_tag(k, v):
    """Create a new tag for the given key k and value v"""
    return '<{key}>{value}<{key}/>'.format(key=k, value=get_content(k, v))

def get_content(k, v):
    """Create the content of a tag by deciding what to do depending on the content of the value"""
    if isinstance(v, str):
        # it's a string, so just return the value
        return v
    elif isinstance(v, dict):
        # it's a dict, so create a new tag for each element
        # and join them with newlines
        return '\n%s\n' % '\n'.join(to_tag(*e) for e in v.items())
    elif isinstance(v, list):
        # it's a list, so create a new key for each element
        # by using the enumerate method and create new tags
        return '\n%s\n' % '\n'.join(to_tag('{key}-{value}'.format(key=k, value=i+1), e) for i, e in enumerate(v))

d = {'Employee':{ 'Id' : 'TA23434', 'Name':'Kesavan' , 'Email':'k7@gmail.com' , 'Roles':[ {'Name':'Admin' ,'RoleId':'xa1234' },{'Name':'Engineer' , 'RoleId':'xa5678' }], 'Test':{'a':'A','b':'b'} }}

for k,v in d.items():
    print to_tag(k, v)

我添加了一些评论,但应该清楚发生了什么,这应该足以让你开始。

dicts 在 python 中没有排序,因此生成的 XML 也没有排序。

结果:

<Employee>
<Email>k7@gmail.com<Email/>
<Test>
<a>A<a/>
<b>b<b/>
<Test/>
<Id>TA23434<Id/>
<Roles>
<Roles-1>
<RoleId>xa1234<RoleId/>
<Name>Admin<Name/>
<Roles-1/>
<Roles-2>
<RoleId>xa5678<RoleId/>
<Name>Engineer<Name/>
<Roles-2/>
<Roles/>
<Name>Kesavan<Name/>
<Employee/>
于 2012-10-10T12:54:43.207 回答