给出以下XML:
<current>
<login_name>jd</login_name>
</current>
<people>
<person>
<first>John</first>
<last>Doe</last>
<login_name>jd</login_name>
</preson>
<person>
<first>Pierre</first>
<last>Spring</last>
<login_name>ps</login_name>
</preson>
</people>
如何从当前/登录匹配器中获取“John Doe”?
我尝试了以下内容:
<xsl:template match="current/login_name">
<xsl:value-of select="../people/first[login_name = .]"/>
<xsl:text> </xsl:text>
<xsl:value-of select="../people/last[login_name = .]"/>
</xsl:template>
答案 0 :(得分:10)
我定义了一个为人们编制索引的密钥:
<xsl:key name="people" match="person" use="login_name" />
在这里使用密钥只是保持代码干净,但如果您经常需要根据<person>
子项检索<login_name>
元素,您可能会发现它有助于提高效率。
我有一个模板,它返回给定<person>
的格式化名称:
<xsl:template match="person" mode="name">
<xsl:value-of select="concat(first, ' ', last)" />
</xsl:template>
然后我会这样做:
<xsl:template match="current/login_name">
<xsl:apply-templates select="key('people', .)" mode="name" />
</xsl:template>
答案 1 :(得分:4)
您需要current()
功能
<xsl:template match="current/login_name">
<xsl:value-of select="../../people/person[login_name = current()]/first"/>
<xsl:text> </xsl:text>
<xsl:value-of select="../../people/person[login_name = current()]/last"/>
</xsl:template>
或更清洁:
<xsl:template match="current/login_name">
<xsl:for-each select="../../people/person[login_name = current()]">
<xsl:value-of select="first"/>
<xsl:text> </xsl:text>
<xsl:value-of select="last"/>
</xsl:for-each>
</xsl:template>
答案 2 :(得分:1)
如果您需要访问多个用户,则JeniT's <xsl:key />
approach是理想的选择。
以下是我的替代方案:
<xsl:template match="current/login_name">
<xsl:variable name="person" select="//people/person[login_name = .]" />
<xsl:value-of select="concat($person/first, ' ', $person/last)" />
</xsl:template>
我们将选定的<person>
节点分配给变量,然后我们使用concat()
函数输出名字/姓氏。
您的示例XML中也存在错误。 <person>
节点错误地以</preson>
(拼写错误)
如果我们知道XML文档的整体结构(使用根节点等),可以给出更好的解决方案。
答案 3 :(得分:0)
我认为他真正想要的是匹配“当前”节点,而不是人员节点中的匹配:
<xsl:variable name="login" select="//current/login_name/text()"/>
<xsl:template match="current/login_name">
<xsl:value-of select='concat(../../people/person[login_name=$login]/first," ", ../../people/person[login_name=$login]/last)'/>
</xsl:template>
答案 4 :(得分:0)
只是将我的想法添加到堆栈
<xsl:template match="login_name[parent::current]">
<xsl:variable name="login" select="text()"/>
<xsl:value-of select='concat(ancestor::people/child::person[login_name=$login]/child::first/text()," ",ancestor::people/child::person[login_name=$login]/child::last/text())'/>
</xsl:template>
我总是喜欢在我的XPath中明确使用轴,更啰嗦但更清晰的恕我直言。
根据其他XML文档的外观(假设这只是一个片段),您可能需要约束对“ancestor :: people”的引用,例如使用“ancestor :: people [1]”来约束到第一个人的祖先。