1

我只是想选择属性值为“cd”的节点“productgroep”。这不起作用,我真的不明白为什么,我搜索了答案但没有找到任何答案。

<?xml version="1.0" encoding="UTF-8"?>
<?xml-stylesheet type="text/xsl" href="Oefening_8.xsl"?>
<catalogus>
<!-- cd catalogus -->
<productgroep type="cd">
    <item referentienummer="7051444" catalogusnummer="1800022" EAN="0025218000222">
     ...
</productgroep>
<productgroep type="film">
    <item referentienummer="8051445" catalogusnummer="2800023" EAN="5051888073650">
     ....
</productgroep>
</catalogus

XSL:

<?xml version="1.0" encoding="UTF-8"?>

<xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform" version="1.0">
<xsl:output method="html"/>
<xsl:template match="/">   
    <html>
        <head>
            <title>Oefening_8.xsl</title>
            <meta charset="utf-8"/>
            <link href="Oefening_8.css" type="text/css" rel="stylesheet"/>
        </head>
        <body>
            <h1></h1>
                <xsl:template match="productgroep[@type='cd']">
                </xsl:template>
        </body>
    </html>
</xsl:template>
</xsl:stylesheet>
4

2 回答 2

0

An<xsl:template/>不能是 a 的子级<xsl:template/>,因此您的样式表当前无效并且可能在某处出现错误,具体取决于您使用 XML 和 XSL 的方式。

一种解决方案是创建单独<xsl:template>的 s 并用于<xsl:apply-templates />处理源元素的子元素。

<xsl:template match="/">
    <html>
        <head>
            <title>Oefening_8.xsl</title>
            <meta charset="utf-8"/>
            <link href="Oefening_8.css" type="text/css" rel="stylesheet"/>
        </head>
        <body>
            <h1></h1>
            <xsl:apply-templates />
        </body>
    </html>
</xsl:template>

<xsl:template match="productgroep[@type='cd']">
    <xsl:value-of select="item/@catalogusnummer"/> <!-- print @catalogusnummer for example -->
</xsl:template>
于 2013-03-18T17:39:24.330 回答
0

正如@andyb 指出的那样,模板中不能有模板。可能是您打算使用xsl:apply-templateswhere you have xsl:template,但这也不适用于您使用的路径,因为当前上下文是目录上方的节点。您的选项是更改初始xsl:template以选择根元素:

或者

或使用完整路径xsl:apply-templates

我更喜欢第一个选项:

<xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform" version="1.0">
<xsl:output method="html"/>
<xsl:template match="/*">   
    <html>
        <head>
            <title>Oefening_8.xsl</title>
            <meta charset="utf-8"/>
            <link href="Oefening_8.css" type="text/css" rel="stylesheet"/>
        </head>
        <body>
            <h1></h1>
            <xsl:apply-templates select="productgroep[@type='cd']" />
        </body>
    </html>
</xsl:template>
</xsl:stylesheet>
于 2013-03-18T17:54:08.357 回答