将google sitemap标头添加到根元素?

时间:2013-03-17 04:27:46

标签: php xml validation xml-namespaces google-sitemap

我正在创建一个简单的脚本来动态生成Google站点地图但我有一个小问题,当我查看Google的常规站点地图时,我发现主要根元素中的那些行称为urlset

xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" 

xsi:schemaLocation="http://www.sitemaps.org/schemas/sitemap/0.9 

http://www.sitemaps.org/schemas/sitemap/0.9/sitemap.xsd" 

xmlns="http://www.sitemaps.org/schemas/sitemap/0.9

我正在通过DOMdocument PHP创建站点地图,我需要知道如何将此标题或代码添加到我的主要孩子?
这是我的代码:

$doc = new DOMDocument('1.0', 'UTF-8');
$map = $doc->createElement('urlset');
$map = $doc->appendChild($map);
$url = $map->appendChild($doc->createElement('url'));
$url = $map->appendChild($doc->appendChild($url));
$url->appendChild($doc->createElement('loc',$link));
$url->appendChild($doc->createElement('lastmod',$date));
$url->appendChild($doc->createElement('priority',$priority));
$doc->save('sitemap.xml');

代码工作正常并生成XML文件没有问题但是当我尝试通过验证来检查站点地图的有效性时,它会给出此错误

  

元素'urlset':验证根目录没有可用的匹配全局声明       要么       找不到元素'urlset'的声明。

由于我认为缺少标题而导致。

1 个答案:

答案 0 :(得分:1)

Google Sitemap中的<urlset>元素位于带有URI http://www.sitemaps.org/schemas/sitemap/0.9的XML命名空间内。

因此,当您创建该元素时,您需要在该命名空间内创建它。为此,您需要名称空间URI和方法DOMDocument::createElementNS()Docs

const NS_URI_SITE_MAP = 'http://www.sitemaps.org/schemas/sitemap/0.9';

$doc = new DOMDocument('1.0', 'UTF-8');

$map = $doc->createElementNS(NS_URI_SITE_MAP, 'urlset');
$map = $doc->appendChild($map);

这已经创建了以下XML文档:

<?xml version="1.0" encoding="UTF-8"?>
<urlset xmlns="http://www.sitemaps.org/schemas/sitemap/0.9"/>

下一部分是为验证添加XML Schema Instance Schemalocation属性。它是它自己的命名空间中的一个属性,所以再次需要在命名空间内创建属性,然后添加到$map根元素:

const NS_URI_XML_SCHEMA_INSTANCE = 'http://www.w3.org/2001/XMLSchema-instance';
const NS_PREFIX_XML_SCHEMA_INSTANCE = 'xsi';

$schemalocation = $doc->createAttributeNS(
    NS_URI_XML_SCHEMA_INSTANCE,
    NS_PREFIX_XML_SCHEMA_INSTANCE . ':schemaLocation'
);
$schemaLocation->value = sprintf('%1s %1$s.xsd', NS_URI_SITE_MAP);
$schemaLocation        = $map->appendChild($schemaLocation);

然后将文档扩展为(漂亮打印):

<?xml version="1.0" encoding="UTF-8"?>
<urlset xmlns="http://www.sitemaps.org/schemas/sitemap/0.9"
        xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
        xsi:schemaLocation="http://www.sitemaps.org/schemas/sitemap/0.9
                            http://www.sitemaps.org/schemas/sitemap/0.9.xsd"/>

据我所知,DOMDocument不可能在属性值中插入换行符而不用将它们编码为数字实体。因此,在回读文档时,我使用了一个等效的空格。

希望这有帮助。

相关: