XSLT <xsl:if>
XSLT <xsl:if>
The <xsl:if>
element contains a template that will be applied only if a specified condition is true.
note
Use <xsl:choose>
together with <xsl:when>
and <xsl:otherwise>
to express multiple conditional tests!
Syntax
<xsl:if test="expression">
<!-- Content: template -->
</xsl:if>
Attributes
Attribute | Value | Required/Optional | Description |
---|---|---|---|
test | expression | Required | Specifies the condition to be tested |
Example
For the following examples, consider the XML document about a bookstore shown below:
books.xml
<?xml version="1.0" encoding="UTF-8"?>
<?xml-stylesheet type="text/xsl" href="books.xsl"?>
<bookstore>
<book category="children">
<title lang="en">Harry Potter</title>
<author>J K. Rowling</author>
<year>2005</year>
<price>29.99</price>
</book>
<book category="web">
<title lang="en">XQuery Tips</title>
<author>Tom Nolan</author>
<year>2022</year>
<price>39.99</price>
</book>
<book category="web">
<title lang="en">Learn XML</title>
<author>Tutorial Reference</author>
<year>2022</year>
<price>9.99</price>
</book>
</bookstore>
Example 1
Select the values of title and author if the price of the book is higher than 15:
books.xsl
<?xml version="1.0" encoding="UTF-8"?>
<xsl:stylesheet version="1.0"
xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:template match="/">
<html>
<body>
<h2>The Bookstore</h2>
<table border="1">
<tr bgcolor="#6565d5">
<th>Title</th>
<th>Author</th>
</tr>
<xsl:for-each select="bookstore/book">
<xsl:if test="price > 15">
<tr>
<td><xsl:value-of select="title"/></td>
<td><xsl:value-of select="author"/></td>
</tr>
</xsl:if>
</xsl:for-each>
</table>
</body>
</html>
</xsl:template>
</xsl:stylesheet>
Example 2
The example below loops trough each book element and creates a table row with the values from title and author for each book:
books.xsl
<?xml version="1.0" encoding="UTF-8"?>
<xsl:stylesheet version="1.0"
xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:template match="/">
<html>
<body>
<h1>The Bookstore</h1>
<table border="1">
<tr bgcolor="#6565d5">
<th>Title</th>
<th>Author</th>
</tr>
<xsl:for-each select="bookstore/book">
<tr>
<td><xsl:value-of select="title" /></td>
<td><xsl:value-of select="author" /></td>
</tr>
</xsl:for-each>
</table>
</body>
</html>
</xsl:template>
</xsl:stylesheet>