使用format-date($date, 'yyyy-MM-dd')
输出一个日期作为dd/MM/yyyy
。
细节
我正在与使用以下日期格式的系统集成:
<SomeDateElement>
<DAY>21</DAY>
<MONTH>06</MONTH>
<YEAR>2017</YEAR>
</SomeDateElement>
为了将这些值转换为有效的xs:date
/xs:datetime
元素,我在 XSLT 中创建了以下逻辑:
匹配任何"假日期"的模板:
<xsl:template match="//*[./YEAR and ./MONTH and ./DAY]">
<xsl:call-template name="ConvertFakeDateToXmlDateTime">
<!-- <xsl:with-param name="format">yyyy-MM-DDTHH:mm:ss</xsl:with-param> -->
</xsl:call-template>
</xsl:template>
用于格式化任何"假日期"的模板(与上述日期分开,以便于重复使用我希望指定不同格式/通过其他匹配捕获的日期)。
<xsl:template name="ConvertFakeDateToXmlDateTime">
<xsl:param name="format" select="yyyy-MM-dd" />
<xsl:variable name="date" select="concat(./YEAR/text(),'-',./MONTH/text(),'-',./DAY/text())" /> <!-- as="xs:datetime" -->
<!-- debugging code-->
<xsl:element name="{concat('DEBUG_',name(.))}">
<xsl:attribute name="IAmADate">
<xsl:value-of select="$date"/> <!-- show our date variable's content -->
</xsl:attribute>
<xsl:apply-templates select="@* | node()" /> <!-- show the original value -->
</xsl:element>
<!-- end debugging code -->
<xsl:element name="{name(.)}" namespace="{namespace-uri(.)}">
<xsl:value-of select="msxsl:format-date($date, $format)"/>
</xsl:element>
</xsl:template>
使用上面的代码和示例输入,我得到以下输出:
<DEBUG_SomeDateElement xmlns="" IAmADate="2017-06-21">
<DAY>21</DAY>
<MONTH>06</MONTH>
<YEAR>2017</YEAR>
</DEBUG_SomeDateElement>
<SomeDateElement xmlns="">21/06/2017</SomeDateElement>
附加说明
我正在用Microsoft执行转换。网的System.Xml.Xsl.XslCompiledTransform
.
我的样式表包括属性/命名空间:xmlns:msxsl="urn:schemas-microsoft-com:xslt"
,用于format-date
函数。
简单示例
我还试图通过这样做来简化问题:
<xsl:element name="demo">
<xsl:value-of select="msxsl:format-date('2017-06-21', 'yyyy-MM-dd')"/>
</xsl:element>
和
<xsl:element name="demo">
<xsl:variable name="demoDate" select="2017-06-21" />
<xsl:value-of select="msxsl:format-date($demoDate, 'yyyy-MM-dd')"/>
</xsl:element>
- 第一个例子(其中日期和格式是文字)给出了
<demo>2017-06-21</demo>
。 ✔ - 第二个(其中日期是一个变量)给出了
<demo>1900-01-01</demo>
. ✘
因此,我无法重现我在上面看到的确切问题;尽管我现在发现了第二个问题,这意味着我对XSLT变量有些误解。
您需要在选择中引用值以使其成为字符串:
<xsl:variable name="demoDate" select="'2017-06-21'" />
和
<xsl:param name="format" select="'yyyy-MM-dd'" />