正数到负数



如何在XSLT中检查数字(十进制或整数)。如果是正数,我想将其转换为负数,否则我必须保持原样。我在谷歌上验证过,我看到的只是负数到正数,使用1.0版本的XSLT。请提供一些样品。

取以下样品:

<Books>
 <Book>
  <Name>NC</Name>
  <Price>100.50</Price>
 </Book>
 </Books>

<Books>
 <Book>
  <Name>NC</Name>
  <Price>-200</Price>
 </Book>
 </Books>

负数到正数:

<xsl:value-of select="Price * (Price >= 0) - Price * not(Price >= 0)" />

我想把任何正数转换成负数,如果这个数字已经是负数,我必须保持原样。

用简单的方法做它怎么样?

XSLT 1.0

<xsl:stylesheet version="1.0" 
xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:output method="xml" version="1.0" encoding="UTF-8" indent="yes"/>
<xsl:strip-space elements="*"/>
<!-- identity transform -->
<xsl:template match="@*|node()">
    <xsl:copy>
        <xsl:apply-templates select="@*|node()"/>
    </xsl:copy>
</xsl:template>
<!-- positive prices to negative -->
<xsl:template match="Price[. > 0]">
    <xsl:copy>
        <xsl:value-of select="-."/>
    </xsl:copy>
</xsl:template>
</xsl:stylesheet>

应用于输入示例,针对格式良好进行了更正:

<Books>
    <Book>
        <Name>NC</Name>
        <Price>100.50</Price>
    </Book>
    <Book>
        <Name>NC</Name>
        <Price>-200</Price>
    </Book>
</Books>

生成以下结果

<?xml version="1.0" encoding="UTF-8"?>
<Books>
   <Book>
      <Name>NC</Name>
      <Price>-100.5</Price>
   </Book>
   <Book>
      <Name>NC</Name>
      <Price>-200</Price>
   </Book>
</Books>

注意:我无法理解执行此操作的智慧。

使用Dimitre Novatchev的方法找到所有正数,然后简单地在整个表达式周围放一个-

<xsl:value-of select="-(. * (. >= 0) - . *not(. >= 0))" />

很简单,不是吗?请记住,.表示上下文节点,在本例中始终是Price元素。

编辑:实际上,这也有效:

<xsl:value-of select=". * not(. >= 0) - . *(. >= 0)" />

但在我看来,代码的作用(甚至)不那么明显。

样式表

<?xml version="1.0" encoding="UTF-8" ?>
<xsl:transform xmlns:xsl="http://www.w3.org/1999/XSL/Transform" version="1.0">
    <xsl:output method="xml" omit-xml-declaration="yes" encoding="UTF-8" indent="yes" />
    <xsl:strip-space elements="*"/>
    <xsl:template match="@*|node()">
        <xsl:copy>
            <xsl:apply-templates select="@*|node()"/>
        </xsl:copy>
    </xsl:template>
    <xsl:template match="Price">
        <xsl:copy>
            <xsl:value-of select="-(. * (. >= 0) - . *not(. >= 0))" />
        </xsl:copy>
    </xsl:template>
</xsl:transform>

XML输入

假设以下输入,其中同时存在负数和正数:

<Books>
  <Price>100.50</Price>
  <Price>-133.50</Price>
  <Price>999</Price>
  <Price>-183</Price>
</Books>

XML输出

正如你所看到的,负数就是过去,正数现在是负数。

<Books>
   <Price>-100.5</Price>
   <Price>-133.5</Price>
   <Price>-999</Price>
   <Price>-183</Price>
</Books>

相关内容

  • 没有找到相关文章

最新更新