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。
下面是一個轉載的例子:
test.xml如下:
[html] view plaincopy
- <span style="font-size:13px;"><?xml version="1.0" encoding="utf-8"?>
- <root>
- <person age="18">
- <name>hzj</name>
- <sex>man</sex>
- </person>
- <person age="19" des="hello">
- <name>kiki</name>
- <sex>female</sex>
- </person>
- </root></span>
1.載入xml檔案
載入XML檔案共有2種方法,一是載入指定字串,二是載入指定檔案
2.擷取element的方法
a) 通過getiterator
b) 過 getchildren
c) find方法
d) findall方法
[python] view plaincopy
- <span style="font-size:13px;">#-*- coding:utf-8 -*-
- from xml.etree import ElementTree
- def print_node(node):
- '''''列印結點基本資料'''
- print "=============================================="
- print "node.attrib:%s" % node.attrib
- if node.attrib.has_key("age") > 0 :
- print "node.attrib['age']:%s" % node.attrib['age']
- print "node.tag:%s" % node.tag
- print "node.text:%s" % node.text
- def read_xml(text):
- '''''讀xml檔案'''
- # 載入XML檔案(2種方法,一是載入指定字串,二是載入指定檔案)
- # root = ElementTree.parse(r"D:/test.xml")
- root = ElementTree.fromstring(text)
-
- # 擷取element的方法
- # 1 通過getiterator
- lst_node = root.getiterator("person")
- for node in lst_node:
- print_node(node)
-
- # 2通過 getchildren
- lst_node_child = lst_node[0].getchildren()[0]
- print_node(lst_node_child)
-
- # 3 .find方法
- node_find = root.find('person')
- print_node(node_find)
-
- #4. findall方法
- node_findall = root.findall("person/name")[1]
- print_node(node_findall)
-
- if __name__ == '__main__':
- read_xml(open("test.xml").read())
- </span>
想想為什嗎?不明白,請看下面
[python] view plaincopy
- #encoding=utf-8
- from xml.etree import ElementTree as ET
- #要找出所有人的年齡
- per=ET.parse('test.xml')
- p=per.findall('/person')
- for x in p:
- print x.attrib
- print
- for oneper in p: #找出person節點
- for child in oneper.getchildren(): #找出person節點的子節點
- print child.tag,':',child.text
-
- print 'age:',oneper.get('age')
- print '############'
結果如下:
[python] view plaincopy
- {'age': '18'}
- {'age': '19', 'des': 'hello'}
-
- name : hzj
- sex : man
- age: 18
- ############
- name : kiki
- sex : female
- age: 19
- ############