是否可以匹配另一个元素的属性并检索其内容?

Is it possible to match attribute from another element and retrieve its content?

当我在 : <xsl:template match="listOfPerson/person">

对于 ID 为“A”的人,是否可以检索存储在另一个元素中的他的信息,它位于元素数据中

xml :

<root>
    <data>
        <person id="A">
            <name> Anna </name>
            <age> 1 </age>
        </person>
        <person id="B">
            <name> Banana </name>
            <age> 1 </age>
        </person>
    </data>

    <listOfPerson>
        <person>
            <id>A</id>
        </person>
        <person>
            <id>B</id>
        </person>
    </listOfPerson>
</root>

我当前的 xsl :

<xsl:stylesheet version="2.0" 
xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
    <xsl:output method="text" indent="yes" />
    <xsl:template match="root">
        <xsl:apply-templates select="listOfPerson/person"/>
    </xsl:template>
    <xsl:template match="listOfPerson/person">
        <xsl:value-of select="."/>
    </xsl:template>
</xsl:stylesheet>

当前输出:

A
B

期望的输出:

Anna 1
Banana 1

XSLT 有一个 built-in key 机制来解析 cross-references。考虑以下示例:

<xsl:stylesheet version="1.0" 
xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:output method="text" encoding="UTF-8"/>

<xsl:key name="person" match="data/person" use="@id" />

<xsl:template match="/root">
    <xsl:for-each select="listOfPerson/person">
        <xsl:variable name="data" select="key('person', id)" />
            <xsl:value-of select="$data/name" />
            <xsl:text> </xsl:text>
            <xsl:value-of select="$data/age" />
            <xsl:text>&#10;</xsl:text>
    </xsl:for-each>
</xsl:template>

</xsl:stylesheet>

应用于您的输入示例,结果将是:

 Anna   1 
 Banana   1