4

我正在编写一个放松 NG 模式来验证一些 XML 文件。对于大多数元素,都有一些必需的属性,并且此 XML 模式的实例还可以添加任何额外的属性。

例如,这是一个有效的文档:

<?xml version="1.0" encoding="utf-8" ?>
<root xmlns:param="some-uri#params">
   <someElement
        param:requiredAttribute1="foo" 
        param:requiredAttribute2="bar"
        param:freeExtraParam="toto"
        param:freeExtraParam="titi" />
</root>

在我的 Relax NG 模式中,我是这样表达的:

<?xml version="1.0" encoding="utf-8" ?>
<grammar 
    xmlns="http://relaxng.org/ns/structure/1.0" 
    datatypeLibrary="http://www.w3.org/2001/XMLSchema-datatypes">
    <start>
        <element name="someElement" >
            <attribute name="requiredAttribute1" />
            <attribute name="requiredAttribute2" />

            <!-- Any extra param --> 
            <zeroOrMore>
                <attribute>
                    <nsName ns="some-uri#params" />
                </attribute>
            </zeroOrMore>
        </element>
    </start>
</grammar>

但是,当我尝试使用jing验证我的文档时,它抱怨我的架构无效:

 error: duplicate attribute "requiredAttribute1" from namespace "some-uri#params"

我猜这是因为requiredAttribute1也符合“任何属性”规则。这样做的正确方法是什么?

在此先感谢,拉斐尔

4

1 回答 1

2

第一点:start元素是定义XML 根元素的地方。在这个起始元素中不可能有属性。

关于您的属性:使用以下模式except应该是您的答案:

<grammar 
    xmlns="http://relaxng.org/ns/structure/1.0" 
    datatypeLibrary="http://www.w3.org/2001/XMLSchema-datatypes">
    <start>
        <element name="root">
            <ref name="someElement"/>
        </element>
    </start>
    <define name="someElement">
        <element name="someElement">
            <zeroOrMore>                
                <attribute ns="some-uri#params">
                    <anyName>
                        <except>
                            <name>requiredAttribute1</name>
                            <name>requiredAttribute2</name>
                        </except>
                    </anyName>
                </attribute>
            </zeroOrMore>
            <attribute ns="some-uri#params" name="requiredAttribute1"/>
            <attribute ns="some-uri#params" name="requiredAttribute2"/>
        </element>
    </define>
</grammar>
于 2011-11-30T18:12:17.957 回答