XSLT 日期格式翻译从例如:2018 年 8 月 23 日到 2018 年 8 月 23 日



如何使用XSLT进行日期格式从例如:Aug 23 201823/08/2018的日期格式转换?

>XSLT 1.0没有任何date函数,您需要使用string操作函数从一种格式转换为另一种格式,并使用某些处理逻辑将Aug转换为08

XSLT 2.0确实具有format-date()函数,但是此函数所需的输入格式是YYYY-MM-DD然后可以转换为这些示例中所示的格式。

您可以使用以下选项来转换日期格式

输入 XML

<inputDate>Aug 23 2018</inputDate>

XSLT 1.0

<xsl:template match="inputDate">
<xsl:variable name="day" select="substring(., 5, 2)" />
<xsl:variable name="mth" select="substring(., 1, 3)" />
<xsl:variable name="year" select="substring(., 8, 4)" />
<!-- Convert 3 char month name to digit -->
<xsl:variable name="month" select="string-length(substring-before('JanFebMarAprMayJunJulAugSepOctNovDec', $mth)) div 3 + 1" />
<!-- Format the number to 2 digits -->
<xsl:variable name="mthNum" select="format-number($month, '00')" />
<formattedDate>
<xsl:value-of select="concat($day,'/',$mthNum,'/',$year)" />
</formattedDate>
</xsl:template>

XSLT 2.0

在这里,解决方案使用regex与输入日期格式匹配。您也可以使用其他方法。

<xsl:template match="inputDate">
<!-- Define array of months -->
<xsl:variable name="months" select="('Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec')" />
<!-- Define regex to match input date format -->        
<xsl:analyze-string regex="^(([A-Za-z]{{3}}) (dd) (dddd))$" select=".">
<!-- Align the regex groups according to the output format -->
<xsl:matching-substring>
<formattedDate>
<xsl:value-of select="regex-group(3)" />
<xsl:text>/</xsl:text>
<xsl:value-of select="format-number(index-of($months, regex-group(2)), '00')" />
<xsl:text>/</xsl:text>
<xsl:value-of select="regex-group(4)" />
</formattedDate>
</xsl:matching-substring>
</xsl:analyze-string>
</xsl:template>

这两个模板的输出

<formattedDate>23/08/2018</formattedDate>

相关内容

  • 没有找到相关文章

最新更新