使用新元素生成XML

时间:2013-11-01 13:22:38

标签: php xml simplexml domdocument

本周自学PHP,作为测试项目,我一直在构建一个非常简单的微博,它使用XML数据来存储/检索短信息。我引用了this question,它设法让我产生了一个类似于我想要的XML文档。

然而,我遇到了一个我自己无法弄清楚的问题。在链接的解决方案中,相同的对象会反复更新,而不会向其中添加任何新信息:

前,'第三个测试帖':

<postslist>
    <post>
        <name>Third Post</name>
        <date>2013-11-05</date>
        <time>00:00</time>
        <text>There is some more post text here.</text>
    </post>
</postslist>

'第四次测试':

<postslist>
    <post>
        <name>Fourth Post</name>
        <date>2013-11-05</date>
        <time>00:00</time>
        <text>There is even more post text here.</text>
    </post>
</postslist>

我的PHP,因此,它类似于:

        $postname = $_POST["name"];
        $postdate = $_POST["date"];
        $posttime = $_POST["time"];
        $posttext = $_POST["posttext"];

        $postname = htmlentities($postname, ENT_COMPAT, 'UTF-8', false);
        $postdate = htmlentities($postdate, ENT_COMPAT, 'UTF-8', false);
        $posttime = htmlentities($posttime, ENT_COMPAT, 'UTF-8', false);
        $posttext = htmlentities($posttext, ENT_COMPAT, 'UTF-8', false);

        $xml = simplexml_load_file("posts.xml");

        $xml->post = "";
        $xml->post->addChild('name', $postname);
        $xml->post->addChild('date', $postdate);
        $xml->post->addChild('time', $posttime);
        $xml->post->addChild('text', $posttext);

        $doc = new DOMDocument('1.0');
        $doc->formatOutput = true;
        $doc->preserveWhiteSpace = true;
        $doc->loadXML($xml->asXML(), LIBXML_NOBLANKS);
        $doc->save('posts.xml');

我希望做的是创建多个“post”元素,并仅将子元素添加到最新元素。

任何帮助/提示都将不胜感激。

2 个答案:

答案 0 :(得分:1)

首先,您不应混用simplexml_DOMDocument函数。前者是后者的包装(在我看来,并不是特别好的)。如果我是你,我只会使用DOMDocument

$doc = new DOMDocument('1.0');
$doc->formatOutput = true;
$doc->preserveWhiteSpace = true;

$doc->load('posts.xml', LIBXML_NOBLANKS); // load the posts file with DOMDocument

$newPost = $doc->createElement('post'); // create a new <post> element
$newPost->appendChild($doc->createElement('name', $postname));
$newPost->appendChild($doc->createElement('date', $postdate));
$newPost->appendChild($doc->createElement('time', $posttime));
$newPost->appendChild($doc->createElement('text', $posttext));

$document->documentElement->appendChild($newPost); // add the new <post> to the document

$doc->save('posts.xml');

答案 1 :(得分:0)

您需要先打开文件以便编辑它,否则您将一直替换整个文档而不是添加它。

以下是一个关于它如何与SimpleXML一起使用的简短示例,到目前为止仍然足够简单来完成这项工作:

$file = 'posts.xml';

$xml  = simplexml_load_file($file); // load existing file
$post = $xml->addChild('post'); // add new post child

// assign values to the post object:
$post->name = $_POST["name"];
$post->date = $_POST["date"];
$post->time = $_POST["time"];
$post->text = $_POST["posttext"];

$xml->saveXML($file); //save file with changes

...并且完全兼容它的姐妹库DOMDocument,以防你需要一些功能。它们共享相同的内存对象。