我正在尝试将xsl样式表的xml文件转换为html。
这是java
TransformerFactory tFactory = TransformerFactory.newInstance();
Transformer transformer = tFactory.newTransformer(new StreamSource(classLoader.getResourceAsStream("driving.xsl")));
StreamResult drivingHtml = new StreamResult(new StringWriter());
transformer.transform(new StreamSource(classLoader.getResourceAsStream("driving.xml")), drivingHtml);
System.out.println(drivingHtml.getWriter().toString());
这是一些xml:
<?xml version="1.0" encoding="UTF-8"?>
<user xmlns="http://notreal.org/ns1" xmlns:poi="http://notreal2.org/ns2">
<address type="primary">
<street>1031 Court St.</street>
<city>Monhegan, NY</city>
</address>
<address type="secondary">
<street> Elm St.</street>
</address>
这是xsl:
<?xml version="1.0" encoding="UTF-8"?>
<xsl:stylesheet version="2.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:template match="/">
<html>
<head>
<title>User</title>
</head>
<body>
<p>Detailed Addresses</p>
<table>
<th>Primary</th>
<th>Secondary</th>
<tr>
<xsl:apply-templates select="/user/address"/>
</tr>
</table>
</body>
</html>
</xsl:template>
<xsl:template match="address">
<td>
<xsl:value-of select=".[@type='primary']/street" />
<xsl:value-of select=".[@type='secondary']/street" />
</td>
<td>
<xsl:value-of select=".[@type='primary']/city" />
<xsl:value-of select=".[@type='secondary']/city" />
</td>
</xsl:template>
</xsl:stylesheet>
当我运行它时,我得到“无法编译样式表”
答案 0 :(得分:1)
根据提供的XML和XSLT代码,您的主要问题是您的代码根本无法解决XML文档中的元素位于默认命名空间的问题。
如何使用默认命名空间处理XML文档是常见问题解答 - 只需搜索xslt和xpath标记,您就会找到许多好的答案。
以下是一种可能的解决方案:
此转化:
<xsl:stylesheet version="1.0"
xmlns:xsl="http://www.w3.org/1999/XSL/Transform"
xmlns:x="http://notreal.org/ns1"
exclude-result-prefixes="x">
<xsl:output method="xml" omit-xml-declaration="yes" indent="yes"/>
<xsl:template match="/*">
<html>
<head>
<title>User</title>
</head>
<body>
<p>Detailed Addresses</p>
<table>
<thead>
<xsl:apply-templates select="x:address/@type"/>
</thead>
<tr>
<xsl:apply-templates select="x:address/x:street"/>
</tr>
<tr>
<xsl:apply-templates select="x:address/x:city"/>
</tr>
</table>
</body>
</html>
</xsl:template>
<xsl:template match="@type">
<th><xsl:value-of select="."/></th>
</xsl:template>
<xsl:template match="x:address/*">
<td><xsl:value-of select="."/></td>
</xsl:template>
</xsl:stylesheet>
应用于包含问题中提供的XML片段的完整且格式良好的XML文档:
<user xmlns="http://notreal.org/ns1"
xmlns:poi="http://notreal2.org/ns2">
<address type="primary">
<street>1031 Court St.</street>
<city>Monhegan, NY</city>
</address>
<address type="secondary">
<street>203 Elm St.</street>
<city>Pittsburgh, PA</city>
</address>
</user>
产生(似乎是)想要的正确结果:
<html>
<head>
<title>User</title>
</head>
<body>
<p>Detailed Addresses</p>
<table>
<thead>
<th>primary</th>
<th>secondary</th>
</thead>
<tr>
<td>1031 Court St.</td>
<td>203 Elm St.</td>
</tr>
<tr>
<td>Monhegan, NY</td>
<td>Pittsburgh, PA</td>
</tr>
</table>
</body>
</html>