python解析xml并按照其结构输出
平时写代码需要将一个xml文件按照其结构,将每个节点列出来,如:
hzj
man
kiki
female
就需要这样表示:
{"root"};{"root","person"};{"root","person","name"};{"root","person","sex"}.....将所有节点这样写出来,为了图简单,直接写了一个脚本解析了下.
python有三种方法解析XML,SAX,DOM,以及ElementTree
1.SAX (simple API for XML )
pyhton 标准库包含SAX解析器,SAX是一种典型的极为快速的工具,在解析XML时,不会占用大量内存。
但是这是基于回调机制的,因此在某些数据中,它会调用某些方法进行传递。这意味着必须为数据指定句柄,
以维持自己的状态,这是非常困难的。
2.DOM(Document Object Model)
与SAX比较,DOM典型的缺点是比较慢,消耗更多的内存,因为DOM会将整个XML数读入内存中,并为树
中的第一个节点建立一个对象。使用DOM的好处是你不需要对状态进行追踪,因为每一个节点都知道谁是它的
父节点,谁是子节点。但是DOM用起来有些麻烦。
3.ElementTree(元素树)
ElementTree就像一个轻量级的DOM,具有方便友好的API。代码可用性好,速度快,消耗内存少,这里主要
介绍ElementTree。
下面代码用的是第三种方法:
#-*- coding: UTF-8 -*-
#-----------------------------------
# python2.7
# author:loster
# version:0.1
# description:解析xml
#-------------------------------------
import xml.etree.ElementTree as ET
def getXml(fileName):
root = ET.parse(fileName).getroot() #获得根节点
resultList = []
walkXml(root,resultList,'')
return resultList
def walkXml(root,resultList,tempLists):
#if tempLists == 'root':
# tempLists = ""
tempList = tempLists+',"'+root.tag+'"'
resultList.append(tempList)
children_node = root.getchildren()
if len(children_node) == 0:
return
for child in children_node:
walkXml(child,resultList,tempList)
return
if __name__ == "__main__":
file_name = "test.xml"
R = getXml(file_name)
for r in R:
print "{"+r[1:]+"}"结果: