Gli ultimi tutorial di sviluppo web
 

XQuery Aggiunta di elementi e attributi


L'esempio documento XML

Useremo il "books.xml" documento negli esempi che seguono (same XML file as in the previous chapters) .

Visualizza il "books.xml" file nel browser .


Aggiunta di elementi e attributi al risultato

Come abbiamo visto in un capitolo precedente, possiamo includere elementi e attributi del documento di ingresso ("books.xml) nel risultato:

for $x in doc("books.xml")/bookstore/book/title
order by $x
return $x

L'espressione XQuery sopra comprenderà sia l'elemento di titolo e il lang attributo nel risultato, in questo modo:

<title lang="en">Everyday Italian</title>
<title lang="en">Harry Potter</title>
<title lang="en">Learning XML</title>
<title lang="en">XQuery Kick Start</title>

XQuery precedente restituisce gli elementi titolo esattamente lo stesso modo come descritti nel documento di input.

Ora vogliamo aggiungere i nostri propri elementi e attributi per il risultato!

Aggiungere elementi HTML e testo

Ora, vogliamo aggiungere alcuni elementi HTML al risultato. Metteremo il risultato in un elenco HTML - insieme con un testo:

<html>
<body>

<h1>Bookstore</h1>

<ul>
{
for $x in doc("books.xml")/bookstore/book
order by $x/title
return <li>{data($x/title)}. Category: {data($x/@category)}</li>
}
</ul>

</body>
</html>

L'espressione XQuery sopra genererà il seguente risultato:

<html>
<body>

<h1>Bookstore</h1>

<ul>
<li>Everyday Italian. Category: COOKING</li>
<li>Harry Potter. Category: CHILDREN</li>
<li>Learning XML. Category: WEB</li>
<li>XQuery Kick Start. Category: WEB</li>
</ul>

</body>
</html>

Aggiungi attributi agli elementi HTML

Avanti, vogliamo usare la category attributo come un attributo di classe nella lista HTML:

<html>
<body>

<h1>Bookstore</h1>

<ul>
{
for $x in doc("books.xml")/bookstore/book
order by $x/title
return <li class="{data($x/@category)}">{data($x/title)}</li>
}
</ul>

</body>
</html>

L'espressione XQuery sopra genererà il seguente risultato:

<html>
<body>
<h1>Bookstore</h1>

<ul>
<li class="COOKING">Everyday Italian</li>
<li class="CHILDREN">Harry Potter</li>
<li class="WEB">Learning XML</li>
<li class="WEB">XQuery Kick Start</li>
</ul>

</body>
</html>