PHP操作XML

142 阅读1分钟

持续创作,加速成长!这是我参与「掘金日新计划 · 6 月更文挑战」的第1天,点击查看活动详情

XML基本概念

节点: 节点也就是很多程序语言中处理XML时的Node,节点是一个比较宽泛的概念,在XML中元素,属性,名字空 间,注释,文本内容,处理指令,还有整个文档都属于节点,也就是说XML文档中每个独立的一小部分都是节 点,是,也是,name=”XXXX”也是,标签是,甚至作者 的名字David Flanagan都是一个文本节点。

元素:很多程序语言都有对XML处理,节点是一个很宽泛的概念,因为要统一API,对节点不会有过多方法,而元素也就是Element是节点的一个子集,简单讲就是这样的标签才算,一般会有很多针对元素的操作方法。

属性:这个比较好理解,在<>里面的类似XX=”OO”等东西都是属性节点。

转义字符:和HTML等类似,xml也有语言占用的符号,想使用的这些特殊字符的时候需要转义。

image.png

DOMDocument对象

        我使用的是DOMDocument对象来操作xml,感觉用起来比simpleXml科学一些,当然第一天使用php,纯属个人感觉。DOMDocument有几个常用的属性和方法。

image.png

image.png

加载xml
$path=$_SERVER["DOCUMENT_ROOT"].'/books.xml'; 
$books=new DOMDocument(); 
$books->load($path);
读取/遍历节点与属性
$bookElements=$books->getElementsByTagName('book'); 
foreach($bookElements as $book){ 
    foreach ($book->attributes as$attr) { 
        echo strtoupper($attr->nodeName).' —— '.$attr->nodeValue.'<br/>';
    } 
echo "AUTHOR: "; 
    foreach ($book->getElementsByTagName('author') as $author) { 
        echo $author->nodeValue.'&em;';
    }
echo '<br/><br/>';
}

----------------------------------运行结果---------------------------------- image.png

当然对于很多属性,只想读一个,可以通过item(index)方法按索引读取。

echo $book->attributes->item(1)->nodeValue;

还可以通过强大的xpath查询

$xpath = new domxpath($books); 
$bookElements=$xpath->query("/books/book");
修改属性/节点
foreach($bookElements as $book){ 
    foreach ($book->attributes as $attr) { 
        #$book->setAttribute($attr->nodeName,strtoupper($attr->nodeValue));
        $attr->nodeValue=strtoupper($attr->nodeValue); 
    } 
    echo "AUTHOR: "; 
    foreach ($book->getElementsByTagName('author') as $author) { 
        $author->nodeValue=strtoupper($author->nodeValue); 
    } 
} 
$books->save($path);

----------------------------------运行结果----------------------------------

image.png

对属性修改可以直接访问其nodeValue改动,也可以使用setAttribute方法,改动完了别忘了使用save保存。

$book->setAttribute($attr->nodeName,strtoupper($attr->nodeValue)); 
$attr->nodeValue=strtoupper($attr->nodeValue);
添加元素/属性
$newBook=$books->createElement('book'); #创建新元素

$newBook->setAttribute('name','PHP Objects, Patterns, and Practice');#创建新属性,方法一

$publisher=$books->createAttribute('publisher');#创建新属性,方法二

$publisher->nodeValue='Apress L.P';

$newBook->appendChild($publisher); #把属性添加到元素上

$author=$books->createElement('author');#创建子元素

$author->nodeValue='Matt Zandstra';

$newBook->appendChild($author);#把子元素添加到父元素上

$books->documentElement->appendChild($newBook);#添加整个节点

$books->save($path);
删除属性/节点
$first=$bookElements->item(0);
$first->removeAttribute('publisher'); 
$second=$bookElements->item(1); 
$second->parentNode->removeChild($second); 
$books->save($path);

----------------------------------运行结果----------------------------------

image.png