Reputation: 307
I have an XML file that looks like this.
<collections id="my collections">
<category id="my category">
<record id="my record">
<title>Some Info</title>
</record>
</category>
</collections>
I am looking for away to replace any attribute in the above XML file with a new attribute,Using PHP DOM and Xpath. Any help is highly appreciated
Upvotes: 3
Views: 11551
Reputation: 8672
Suposing id='my record' is unique in the xml. The hard work is only in the xpath expression.
$dom = new DomDocument();
$dom->load('test.xml');
$xp = new DomXPath($dom);
$res = $xp->query("//*[@id = 'my record']");
$res->item(0)->setAttribute('id','2');
$dom->save('test.xml');
Upvotes: 1
Reputation: 401172
Not sure what you want to do exactly, but the general idea is :
DOMDocument
DOMDocument::loadXML
DOMXpath
on that documentDOMXPath::query
DOMElement::setAttribute
$str = <<<XML
<collections id="My Collections">
<category id="my category">
<record id="my record">
<title>Some Info</title>
</record>
</category>
</collections>
XML;
$dom = new DOMDocument();
$dom->loadXML($str);
$xpath = new DOMXPath($dom);
$elements = $xpath->query('//record[@id="my record"]');
if ($elements->length >= 1) {
$element = $elements->item(0);
$element->setAttribute('id', "glop !");
}
echo '<pre>' . htmlspecialchars($dom->saveXML()) . '</pre>';
<?xml version="1.0"?>
<collections id="My Collections">
<category id="my category">
<record id="glop !">
<title>Some Info</title>
</record>
</category>
</collections>
Upvotes: 6