How to replace the text of a node using DOMDocument

44,985

Solution 1

Set DOMNode::$nodeValue instead:

$doc->getElementsByTagName("title")->item(0)->nodeValue = $titleText;
$doc->getElementsByTagName("description")->item(0)->nodeValue = $descriptionText;
$doc->getElementsByTagName("link")->item(0)->nodeValue = $linkText;

This overwrites the existing content with the new value.

Solution 2

as doub1ejack mentioned

$doc->getElementsByTagName("title")->item(0)->nodeValue = $titleText;

will give error if $titleText = "& is not allowed in Node::nodeValue";

So the better solution would be

// clear the existing text content
$doc->getElementsByTagName("title")->item(0)->nodeValue = "";

// then create new TextNode
$doc->getElementsByTagName("title")->item(0)->appendChild($doc->createTextNode($titleText));
Share:
44,985
Salman A
Author by

Salman A

Updated on November 15, 2020

Comments

  • Salman A
    Salman A over 3 years

    This is my code that loads an existing XML file or string into a DOMDocument object:

    $doc = new DOMDocument();
    $doc->formatOutput = true;
    
    // the content actually comes from an external file
    $doc->loadXML('<rss version="2.0">
    <channel>
        <title></title>
        <description></description>
        <link></link>
    </channel>
    </rss>');
    
    $doc->getElementsByTagName("title")->item(0)->appendChild($doc->createTextNode($titleText));
    $doc->getElementsByTagName("description")->item(0)->appendChild($doc->createTextNode($descriptionText));
    $doc->getElementsByTagName("link")->item(0)->appendChild($doc->createTextNode($linkText));
    

    I need to overwrite the value inside the title, description and link tags. The Last three lines in the above code are my attempt at doing so; but seems like if the nodes are not empty then the text will be "appended" to existing content. How can I empty the text content of a node and append new text in one line.