Difference between revisions of "Full-Text"

From BaseX Documentation
Jump to navigation Jump to search
(36 intermediate revisions by 2 users not shown)
Line 1: Line 1:
This article is part of the [[XQuery|XQuery Portal]]. It summarizes the fulltext features of BaseX.
+
This article is part of the [[XQuery|XQuery Portal]]. It summarizes the features of the [https://www.w3.org/TR/xpath-full-text-10/ W3C XQuery Full Text] Recommendation, and custom features of the implementation in BaseX.
  
Full-text retrieval in XML documents is an essential requirement in many use cases. BaseX was the first query processor that supported the [http://www.w3.org/TR/xpath-full-text-10/ W3C XQuery Full Text 1.0] Recommendation, and it additionally comes with a powerful [[Indexes#Full-Text Index|Full-Text Index]], which allows you to evaluate full-text queries on large databases within milliseconds.
+
Please read the separate [[Indexes#Full-Text Index|Full-Text Index]] section in our documentation if you want to learn how to evaluate full-text requests on large databases within milliseconds.
  
 
=Introduction=
 
=Introduction=
  
The XQuery and XPath Full Text Recommendation (XQFT) is a feature-rich extension of the XQuery language. It can be used to both query XML documents and single strings for words and phrases. This section gives you a quick insight into the most important features of the language.
+
The XQuery and XPath Full Text Recommendation (XQFT) is a feature-rich extension of the XQuery language. It can be used to both query XML documents and single strings for words and phrases. BaseX was the first query processor that supported all features of the specification.
 +
 
 +
This section gives you a quick insight into the most important features of the language.
  
 
This is a simple example for a basic full-text expression:
 
This is a simple example for a basic full-text expression:
  
<pre class="brush:xquery">
+
<syntaxhighlight lang="xquery">
 
"This is YOUR World" contains text "your world"
 
"This is YOUR World" contains text "your world"
</pre>
+
</syntaxhighlight>
  
 
It yields {{Code|true}}, because the search string is ''tokenized'' before it is compared with the tokenized input string. In the tokenization process, several normalizations take place. Many of those steps can hardly be simulated with plain XQuery: as an example, upper/lower case and diacritics (umlauts, accents, etc.) are removed and an optional, language-dependent stemming algorithm is applied. Beside that, special characters such as whitespaces and punctuation marks will be ignored. Thus, this query also yields true:
 
It yields {{Code|true}}, because the search string is ''tokenized'' before it is compared with the tokenized input string. In the tokenization process, several normalizations take place. Many of those steps can hardly be simulated with plain XQuery: as an example, upper/lower case and diacritics (umlauts, accents, etc.) are removed and an optional, language-dependent stemming algorithm is applied. Beside that, special characters such as whitespaces and punctuation marks will be ignored. Thus, this query also yields true:
  
<pre class="brush:xquery">
+
<syntaxhighlight lang="xquery">
 
"Well... Done!" contains text "well, done"
 
"Well... Done!" contains text "well, done"
</pre>
+
</syntaxhighlight>
  
 
The {{Code|occurs}} keyword comes into play when more than one occurrence of a token is to be found:
 
The {{Code|occurs}} keyword comes into play when more than one occurrence of a token is to be found:
  
<pre class="brush:xquery">
+
<syntaxhighlight lang="xquery">
 
"one and two and three" contains text "and" occurs at least 2 times
 
"one and two and three" contains text "and" occurs at least 2 times
</pre>
+
</syntaxhighlight>
  
Varius range modifiers are available: {{Code|exactly}}, {{Code|at least}}, {{Code|at most}}, and {{Code|from ... to ...}}.
+
Various range modifiers are available: {{Code|exactly}}, {{Code|at least}}, {{Code|at most}}, and {{Code|from ... to ...}}.
  
 
==Combining Results==
 
==Combining Results==
Line 31: Line 33:
 
In the given example, curly braces are used to combine multiple keywords:
 
In the given example, curly braces are used to combine multiple keywords:
  
<pre class="brush:xquery">
+
<syntaxhighlight lang="xquery">
 
for $country in doc('factbook')//country
 
for $country in doc('factbook')//country
 
where $country//religions[text() contains text { 'Sunni', 'Shia' } any]
 
where $country//religions[text() contains text { 'Sunni', 'Shia' } any]
 
return $country/name
 
return $country/name
</pre>
+
</syntaxhighlight>
  
 
The query will output the names of all countries with a religion element containing {{Code|sunni}} or {{Code|shia}}. The {{Code|any}} keyword is optional; it can be replaced with:
 
The query will output the names of all countries with a religion element containing {{Code|sunni}} or {{Code|shia}}. The {{Code|any}} keyword is optional; it can be replaced with:
Line 46: Line 48:
 
The keywords {{Code|ftand}}, {{Code|ftor}} and {{Code|ftnot}} can also be used to combine multiple query terms. The following query yields the same result as the last one does:
 
The keywords {{Code|ftand}}, {{Code|ftor}} and {{Code|ftnot}} can also be used to combine multiple query terms. The following query yields the same result as the last one does:
  
<pre class="brush:xquery">
+
<syntaxhighlight lang="xquery">
 
doc('factbook')//country[descendant::religions contains text 'sunni' ftor 'shia']/name
 
doc('factbook')//country[descendant::religions contains text 'sunni' ftor 'shia']/name
</pre>
+
</syntaxhighlight>
  
 
The keywords {{Code|not in}} are special: they are used to find tokens which are not part of a longer token sequence:
 
The keywords {{Code|not in}} are special: they are used to find tokens which are not part of a longer token sequence:
  
<pre class="brush:xquery">
+
<syntaxhighlight lang="xquery">
 
for $text in ("New York", "new conditions")
 
for $text in ("New York", "new conditions")
 
return $text contains text "New" not in "New York"
 
return $text contains text "New" not in "New York"
</pre>
+
</syntaxhighlight>
  
 
Due to the complex data model of the XQuery Full Text spec, the usage of {{Code|ftand}} may lead to a high memory consumption. If you should encounter problems, simply use the {{Code|all}} keyword:
 
Due to the complex data model of the XQuery Full Text spec, the usage of {{Code|ftand}} may lead to a high memory consumption. If you should encounter problems, simply use the {{Code|all}} keyword:
  
<pre class="brush:xquery">
+
<syntaxhighlight lang="xquery">
 
doc('factbook')//country[descendant::religions contains text { 'Christian', 'Jewish'} all]/name
 
doc('factbook')//country[descendant::religions contains text { 'Christian', 'Jewish'} all]/name
</pre>
+
</syntaxhighlight>
  
 
==Positional Filters==
 
==Positional Filters==
Line 67: Line 69:
 
A popular retrieval operation is to filter texts by the distance of the searched words. In this query…
 
A popular retrieval operation is to filter texts by the distance of the searched words. In this query…
  
<pre class="brush:xquery">
+
<syntaxhighlight lang="xquery">
 
<xml>
 
<xml>
 
   <text>There is some reason why ...</text>
 
   <text>There is some reason why ...</text>
Line 73: Line 75:
 
   <text>The reason why some people ...</text>
 
   <text>The reason why some people ...</text>
 
</xml>//text[. contains text { "some", "reason" } all ordered distance at most 3 words]
 
</xml>//text[. contains text { "some", "reason" } all ordered distance at most 3 words]
</pre>
+
</syntaxhighlight>
  
 
…the two first texts will be returned as result, because there are at most three words between {{Code|some}} and {{Code|reason}}. Additionally, the {{Code|ordered}} keyword ensures that the words are found in the specified order, which is why the third text is excluded. Note that {{Code|all}} is required here to guarantee that only those hits will be accepted that contain all searched words.
 
…the two first texts will be returned as result, because there are at most three words between {{Code|some}} and {{Code|reason}}. Additionally, the {{Code|ordered}} keyword ensures that the words are found in the specified order, which is why the third text is excluded. Note that {{Code|all}} is required here to guarantee that only those hits will be accepted that contain all searched words.
Line 79: Line 81:
 
The {{Code|window}} keyword is related: it accepts those texts in which all keyword occur within the specified number of tokens. Can you guess what is returned by the following query?
 
The {{Code|window}} keyword is related: it accepts those texts in which all keyword occur within the specified number of tokens. Can you guess what is returned by the following query?
  
<pre class="brush:xquery">
+
<syntaxhighlight lang="xquery">
 
("A C D", "A B C D E")[. contains text { "A", "E" } all window 3 words]
 
("A C D", "A B C D E")[. contains text { "A", "E" } all window 3 words]
</pre>
+
</syntaxhighlight>
  
 
Sometimes it is interesting to only select texts in which all searched terms occur in the {{Code|same sentence}} or {{Code|paragraph}} (you can even filter for {{Code|different}} sentences/paragraphs). This is obviously not the case in the following example:
 
Sometimes it is interesting to only select texts in which all searched terms occur in the {{Code|same sentence}} or {{Code|paragraph}} (you can even filter for {{Code|different}} sentences/paragraphs). This is obviously not the case in the following example:
  
<pre class="brush:xquery">
+
<syntaxhighlight lang="xquery">
'“I will survive!” This is what Mary told me.' contains text { 'will', 'told' } all words same sentence
+
'Mary told me, “I will survive!”.' contains text { 'will', 'told' } all words same sentence
</pre>
+
</syntaxhighlight>
  
Sentences are delimited by end of line markers ({{Code|.}}, {{Code|!}}, {{Code|?}}, etc.), and newline characters are treated as paragraph delimiters. By the way: in the examples above, the {{Code|word}} unit has been used, but {{Code|sentences}} and {{Code|paragraphs}} are valid alternatives.
+
By the way: In some examples above, the {{Code|words}} unit was used, but {{Code|sentences}} and {{Code|paragraphs}} would have been valid alternatives.
  
 
Last but not least, three specifiers exist to filter results depending on the position of a hit:
 
Last but not least, three specifiers exist to filter results depending on the position of a hit:
Line 102: Line 104:
  
 
* If {{Code|case}} is insensitive, no distinction is made between characters in upper and lower case. By default, the option is {{Code|insensitive}}; it can also be set to {{Code|sensitive}}:
 
* If {{Code|case}} is insensitive, no distinction is made between characters in upper and lower case. By default, the option is {{Code|insensitive}}; it can also be set to {{Code|sensitive}}:
<pre class="brush:xquery">
+
<syntaxhighlight lang="xquery">
 
"Respect Upper Case" contains text "Upper" using case sensitive
 
"Respect Upper Case" contains text "Upper" using case sensitive
</pre>
+
</syntaxhighlight>
 
* If {{Code|diacritics}} is insensitive, characters with and without diacritics (umlauts, characters with accents) are declared as identical. By default, the option is {{Code|insensitive}}; it can also be set to {{Code|sensitive}}:
 
* If {{Code|diacritics}} is insensitive, characters with and without diacritics (umlauts, characters with accents) are declared as identical. By default, the option is {{Code|insensitive}}; it can also be set to {{Code|sensitive}}:
<pre class="brush:xquery">
+
<syntaxhighlight lang="xquery">
"'Äpfel' will not be found..." contains text "Apfel" diacritics sensitive
+
"'Äpfel' will not be found..." contains text "Apfel" using diacritics sensitive
</pre>
+
</syntaxhighlight>
 
* If {{Code|stemming}} is activated, words are shortened to a base form by a language-specific stemmer:
 
* If {{Code|stemming}} is activated, words are shortened to a base form by a language-specific stemmer:
<pre class="brush:xquery">
+
<syntaxhighlight lang="xquery">
 
"catch" contains text "catches" using stemming
 
"catch" contains text "catches" using stemming
</pre>
+
</syntaxhighlight>
 
* With the {{Code|stop words}} option, a list of words can be defined that will be ignored when tokenizing a string. This is particularly helpful if the full-text index takes too much space (a standard stopword list for English texts is provided in the directory {{Code|etc/stopwords.txt}} in the full distributions of BaseX, and available online at http://files.basex.org/etc/stopwords.txt):
 
* With the {{Code|stop words}} option, a list of words can be defined that will be ignored when tokenizing a string. This is particularly helpful if the full-text index takes too much space (a standard stopword list for English texts is provided in the directory {{Code|etc/stopwords.txt}} in the full distributions of BaseX, and available online at http://files.basex.org/etc/stopwords.txt):
<pre class="brush:xquery">
+
<syntaxhighlight lang="xquery">
 
"You and me" contains text "you or me" using stop words ("and", "or"),
 
"You and me" contains text "you or me" using stop words ("and", "or"),
 
"You and me" contains text "you or me" using stop words at "http://files.basex.org/etc/stopwords.txt"
 
"You and me" contains text "you or me" using stop words at "http://files.basex.org/etc/stopwords.txt"
</pre>
+
</syntaxhighlight>
 
* Related terms such as synonyms can be found with the sophisticated [[#Thesaurus|Thesaurus]] option.
 
* Related terms such as synonyms can be found with the sophisticated [[#Thesaurus|Thesaurus]] option.
  
Line 128: Line 130:
 
* <code>.{min,max}</code> matches ''min''–''max'' number of characters.
 
* <code>.{min,max}</code> matches ''min''–''max'' number of characters.
  
<pre class="brush:xquery">
+
<syntaxhighlight lang="xquery">
 
"This may be interesting in the year 2000" contains text { "interest.*", "2.{3,3}" } using wildcards
 
"This may be interesting in the year 2000" contains text { "interest.*", "2.{3,3}" } using wildcards
</pre>
+
</syntaxhighlight>
  
 
This was a quick introduction to XQuery Full Text; you are invited to explore the numerous other features of the language!
 
This was a quick introduction to XQuery Full Text; you are invited to explore the numerous other features of the language!
Line 141: Line 143:
 
A list of all language codes that are available on your system can be retrieved as follows:
 
A list of all language codes that are available on your system can be retrieved as follows:
  
<pre class="brush:xquery">
+
<syntaxhighlight lang="xquery">
 
declare namespace locale = "java:java.util.Locale";
 
declare namespace locale = "java:java.util.Locale";
 
distinct-values(locale:getAvailableLocales() ! locale:getLanguage(.))
 
distinct-values(locale:getAvailableLocales() ! locale:getLanguage(.))
</pre>
+
</syntaxhighlight>
  
By default, unless the languages codes <code>ja</code>, <code>ar</code>, <code>ko</code>, <code>th</code>, or <code>zh</code> are specified, a tokenizer for Western texts will be used to tokenize texts:
+
By default, unless the languages codes <code>ja</code>, <code>ar</code>, <code>ko</code>, <code>th</code>, or <code>zh</code> are specified, a tokenizer for Western texts is used:
  
 
* Whitespaces are interpreted as token delimiters.
 
* Whitespaces are interpreted as token delimiters.
Line 152: Line 154:
 
* Paragraph delimiters are newlines (<code>&amp;#xa;</code>).
 
* Paragraph delimiters are newlines (<code>&amp;#xa;</code>).
  
The basic JAR file of BaseX comes with built-in stemming support for English, German, Greek and Indonesian. Some more languages are supported if the following libraries are found in the classpath:
+
The basic JAR file of BaseX comes with built-in stemming support for English, German, Greek and Indonesian. Some more languages are supported if the following libraries are found in the [[Startup#Distributions|classpath]]:
  
* [http://files.basex.org/maven/org/apache/lucene-stemmers/3.4.0/lucene-stemmers-3.4.0.jar lucene-stemmers-3.4.0.jar] includes the Snowball and Lucene stemmers for the following languages: Bulgarian, Catalan, Czech, Danish, Dutch, Finnish, French, Hindi, Hungarian, Italian, Latvian, Lithuanian, Norwegian, Portuguese, Romanian, Russian, Spanish, Swedish, Turkish.
+
* [https://files.basex.org/maven/org/apache/lucene-stemmers/3.4.0/lucene-stemmers-3.4.0.jar lucene-stemmers-3.4.0.jar] includes the Snowball and Lucene stemmers for the following languages: Arabic, Bulgarian, Catalan, Czech, Danish, Dutch, Finnish, French, Hindi, Hungarian, Italian, Latvian, Lithuanian, Norwegian, Portuguese, Romanian, Russian, Spanish, Swedish, Turkish.
  
* [http://en.sourceforge.jp/projects/igo/releases/ igo-0.4.3.jar]: [[Full-Text: Japanese|An additional article]] explains how Igo can be integrated, and how Japanese texts are tokenized and stemmed.
+
* [https://osdn.net/projects/igo/releases/ igo-0.4.3.jar]: [[Full-Text: Japanese|An additional article]] explains how Igo can be integrated, and how Japanese texts are tokenized and stemmed.
  
 
The JAR files are included in the ZIP and EXE distributions of BaseX.
 
The JAR files are included in the ZIP and EXE distributions of BaseX.
Line 162: Line 164:
 
The following two queries, which both return <code>true</code>, demonstrate that stemming depends on the selected language:
 
The following two queries, which both return <code>true</code>, demonstrate that stemming depends on the selected language:
  
<pre class="brush:xquery">
+
<syntaxhighlight lang="xquery">
 
"Indexing" contains text "index" using stemming,
 
"Indexing" contains text "index" using stemming,
 
"häuser" contains text "haus" using stemming using language "German"
 
"häuser" contains text "haus" using stemming using language "German"
</pre>
+
</syntaxhighlight>
  
 
==Scoring==
 
==Scoring==
Line 173: Line 175:
 
The scoring model of BaseX takes into consideration the number of found terms, their frequency in a text, and the length of a text. The shorter the input text is, the higher scores will be:
 
The scoring model of BaseX takes into consideration the number of found terms, their frequency in a text, and the length of a text. The shorter the input text is, the higher scores will be:
  
<pre class="brush:xquery">
+
<syntaxhighlight lang="xquery">
 
(: Score values: 1 0.62 0.45 :)
 
(: Score values: 1 0.62 0.45 :)
for $text score $score in ("A", "A B", "A B C")[. contains text "A"]
+
for $text in ("A", "A B", "A B C")
 +
let score $score := $text contains text "A"
 
order by $score descending
 
order by $score descending
 
return <hit score='{ format-number($score, "0.00") }'>{ $text }</hit>
 
return <hit score='{ format-number($score, "0.00") }'>{ $text }</hit>
</pre>
+
</syntaxhighlight>
  
This simple approach has proven to consistently deliver good results, and in particular when little is known about the structure of the queried XML documents.
+
This simple approach has proven to consistently deliver good results, in particular when little is known about the structure of the queried XML documents.
  
Please note that scores will only be computed if a parent expression requests them:
+
Scoring values can be further processed to compute custom values:
  
<pre class="brush:xquery">
+
<syntaxhighlight lang="xquery">
(: Computes and returns a scoring value. :)
+
let $terms := ('a', 'b')
let score $score := <x>Hello Universe</x> contains text "hello"
+
let $scores := ft:score($terms ! ('a b c' contains text { . }))
return $score
+
return avg($scores)
 +
</syntaxhighlight>
  
(: No scoring value will be computed here. :)
+
Scoring is supported within full-text expressions, by {{Function|Full-Text|ft:search}}, and by simple predicate tests that can be rewritten to {{Function|Full-Text|ft:search}}:
let $result := <x>Hello Universe</x> contains text "hello"
 
let score $score := $result
 
return $score
 
</pre>
 
  
Scores will be propagated by the {{Code|and}} and {{Code|or}} expressions and in predicates. In the following query, all returned scores are equal:
+
<syntaxhighlight lang="xquery">
 +
let $string := 'a b'
 +
return ft:score($string contains text 'a' ftand 'b'),
  
<pre class="brush:xquery">
+
for $n score $s in ft:search('factbook', 'orthodox')
let $text := "A B C"
+
order by $s descending
let score $s1 := $text contains text "A" ftand "B C"
+
return $s || ': ' || $n,
let score $s2 := $text contains text "A" ftand "B C"
+
 
let score $s3 := $text contains text "A" and $text contains text "B C"
+
for $n score $s in db:open('factbook')//text()[. contains text 'orthodox']
let score $s4 := $text contains text "A" or $text contains text "B C"
+
order by $s descending
let score $s5 := $text[. contains text "A"][. contains text "B C"]
+
return $s || ': ' || $n
return ($s1, $s2, $s3, $s4, $s5)
+
</syntaxhighlight>
</pre>
 
  
 
==Thesaurus==
 
==Thesaurus==
  
BaseX supports full-text queries using thesauri, but it does not provide a default thesaurus. This is why queries such as:
+
One or more thesaurus files can be specified in a full-text expression. The following query returns {{Code|false}}:
  
<pre class="brush:xquery">
+
<syntaxhighlight lang="xquery">
'computers' contains text 'hardware'
+
'hardware' contains text 'computers'
 
   using thesaurus default
 
   using thesaurus default
</pre>
+
</syntaxhighlight>
 +
 
 +
If a thesaurus is employed…
 +
 
 +
<syntaxhighlight lang="xml">
 +
<thesaurus xmlns="http://www.w3.org/2007/xqftts/thesaurus">
 +
  <entry>
 +
    <term>computers</term>
 +
    <synonym>
 +
      <term>hardware</term>
 +
      <relationship>NT</relationship>
 +
    </synonym>
 +
  </entry>
 +
</thesaurus>
 +
</syntaxhighlight>
 +
 
 +
…the result will be {{Code|true}}:
  
will return <code>false</code>. However, if the thesaurus is specified, then the result will be <code>true</code>:
+
<syntaxhighlight lang="xquery">
 +
'hardware' contains text 'computers'
 +
  using thesaurus at 'thesaurus.xml'
 +
</syntaxhighlight>
  
<pre class="brush:xquery">
+
Thesaurus files must comply with the [https://dev.w3.org/2007/xpath-full-text-10-test-suite/TestSuiteStagingArea/TestSources/thesaurus.xsd XSD Schema] of the XQFT Test Suite (but the namespace can be omitted). Apart from the relationship defined in [https://www.iso.org/standard/7776.html ISO 2788] (NT: narrower team, RT: related term, etc.), custom relationships can be used.
 +
 
 +
The type of relationship and the level depth can be specified as well:
 +
 
 +
<syntaxhighlight lang="xquery">
 +
(: BT: find broader terms; NT means narrower term :)
 
'computers' contains text 'hardware'
 
'computers' contains text 'hardware'
   using thesaurus at 'XQFTTS_1_0_4/TestSources/usability2.xml'
+
   using thesaurus at 'x.xml' relationship 'BT' from 1 to 10 levels
</pre>
+
</syntaxhighlight>
  
The format of the thesaurus files must be the same as the format of the thesauri provided by the [http://dev.w3.org/2007/xpath-full-text-10-test-suite XQuery and XPath Full Text 1.0 Test Suite]. It is an XML with structure defined by an [http://dev.w3.org/cvsweb/~checkout~/2007/xpath-full-text-10-test-suite/TestSuiteStagingArea/TestSources/thesaurus.xsd?rev=1.3;content-type=application%2Fxml XSD Schema].
+
More details can be found in the [https://www.w3.org/TR/xpath-full-text-10/#ftthesaurusoption specification].
  
 
==Fuzzy Querying==
 
==Fuzzy Querying==
  
In addition to the official recommendation, BaseX supports a fuzzy search feature. The XQFT grammar was enhanced by the FTMatchOption <code>using fuzzy </code> to allow for approximate results in full texts. Fuzzy search is also supported by the full-text index.
+
In addition to the official recommendation, BaseX supports a fuzzy search feature. The XQFT grammar was enhanced by the <code>fuzzy</code> match option to allow for approximate results in full texts:
  
 
'''Document 'doc.xml'''':
 
'''Document 'doc.xml'''':
<pre class="brush:xml">
+
<syntaxhighlight lang="xml">
 
<doc>
 
<doc>
 
   <a>house</a>
 
   <a>house</a>
Line 236: Line 261:
 
   <a>haus</a>
 
   <a>haus</a>
 
</doc>
 
</doc>
</pre>  
+
</syntaxhighlight>  
 
   
 
   
 
'''Query:'''
 
'''Query:'''
<pre class="brush:xquery">
+
<syntaxhighlight lang="xquery">
 
//a[text() contains text 'house' using fuzzy]
 
//a[text() contains text 'house' using fuzzy]
</pre>
+
</syntaxhighlight>
 
   
 
   
 
'''Result:'''
 
'''Result:'''
<pre class="brush:xml">
+
<syntaxhighlight lang="xml">
 
<a>house</a>
 
<a>house</a>
 
<a>hous</a>
 
<a>hous</a>
</pre>
+
</syntaxhighlight>
 +
 
 +
Fuzzy search is based on the Levenshtein distance. The maximum number of allowed errors is calculated by dividing the token length of a specified query term by 4. The query above yields two results as there is no error between the query term “house” and the text node “house”, and one error between “house” and “hous”.
 +
 
 +
A user-defined value can be adjusted globally via the {{Option|LSERROR}} option or, since {{Version|9.6}}, via an additional argument:
  
Fuzzy search is based on the Levenshtein distance. The maximum number of allowed errors is calculated by dividing the token length of a specified query term by 4, preserving a minimum of 1 errors. A static error distance can be set by adjusting the <code>[[Options#LSERROR|LSERROR]]</code> property (default: <code>SET LSERROR 0</code>). The query above yields two results as there is no error between the query term “house” and the text node “house”, and one error between “house” and “hous”.
+
<syntaxhighlight lang="xquery">
 +
//a[text() contains text 'house' using fuzzy 3 errors]
 +
</syntaxhighlight>
  
 
=Mixed Content=
 
=Mixed Content=
  
When working with so-called narrative XML documents, such as HTML, [http://tei-c.org/ TEI], or [http://docbook.org DocBook] documents, you typically have ''mixed content'', i.e., elements containing a mix of text and markup, such as:
+
When working with so-called narrative XML documents, such as HTML, [https://tei-c.org/ TEI], or [https://docbook.org/ DocBook] documents, you typically have ''mixed content'', i.e., elements containing a mix of text and markup, such as:
  
<pre class="brush:xml">
+
<syntaxhighlight lang="xml">
 
<p>This is only an illustrative <hi>example</hi>, not a <q>real</q> text.</p>
 
<p>This is only an illustrative <hi>example</hi>, not a <q>real</q> text.</p>
</pre>
+
</syntaxhighlight>
 +
 
 +
Since the logical flow of the text is not interrupted by the child elements, you will typically want to search across elements, so that the above paragraph would match a search for “real text”.  For more examples, see [https://www.w3.org/TR/xpath-full-text-10-use-cases/#Across XQuery and XPath Full Text 1.0 Use Cases].
  
Since the logical flow of the text is not interrupted by the child elements, you will typically want to search across elements, so that the above paragraph would match a search for “real text”.  For more examples, see [http://www.w3.org/TR/xpath-full-text-10-use-cases/#Across XQuery and XPath Full Text 1.0 Use Cases].
+
To enable this kind of searches, it is recommendable to:
  
To enable this kind of searches, ''whitespace chopping'' must be turned off when importing XML documents by setting the option <code>[[Options#CHOP|CHOP]]</code> to <code>OFF</code> (default: <code>SET CHOP ON</code>). In the GUI, you find this option in ''Database'' → ''New…'' → ''Parsing'' → ''Chop Whitespaces''. A query such as <code>//p[. contains text 'real text']</code> will then match the example paragraph above.  However, the full-text index will '''not''' be used in this query, so it may take a long time.  The full-text index would be used for the query <code>//p[text() contains text 'real text']</code>, but this query will not find the example paragraph, because the matching text is split over two text nodes.
+
* Turn off ''whitespace chopping'' when importing XML documents. This can be done by setting {{Option|CHOP}} to <code>OFF</code>. This can also be done in the GUI if a new database is created (''Database'' → ''New…'' → ''Parsing'' → ''Chop Whitespaces'').
 +
* Turn off automatic indentation by assigning <code>indent=no</code> to the {{Option|SERIALIZER}} option.
 +
 
 +
A query such as <code>//p[. contains text 'real text']</code> will then match the example paragraph above.  However, the full-text index will '''not''' be used in this query, so it may take a long time.  The full-text index would be used for the query <code>//p[text() contains text 'real text']</code>, but this query will not find the example paragraph, because the matching text is split over two text nodes.
  
 
Note that the node structure is ignored by the full-text tokenizer: The {{Code|contains text}} expression applies all full-text operations to the ''string value'' of its left operand. As a consequence, the <code>ft:mark</code> and <code>ft:extract</code> functions (see [[Full-Text Module|Full-Text Functions]]) will only yield useful results if they are applied to single text nodes, as the following example demonstrates:
 
Note that the node structure is ignored by the full-text tokenizer: The {{Code|contains text}} expression applies all full-text operations to the ''string value'' of its left operand. As a consequence, the <code>ft:mark</code> and <code>ft:extract</code> functions (see [[Full-Text Module|Full-Text Functions]]) will only yield useful results if they are applied to single text nodes, as the following example demonstrates:
  
<pre class="brush:xquery">
+
<syntaxhighlight lang="xquery">
 
(: Structure is ignored; no highlighting: :)
 
(: Structure is ignored; no highlighting: :)
 
ft:mark(//p[. contains text 'real'])
 
ft:mark(//p[. contains text 'real'])
 
(: Single text nodes are addressed: results will be highlighted: :)
 
(: Single text nodes are addressed: results will be highlighted: :)
 
ft:mark(//p[.//text() contains text 'real'])
 
ft:mark(//p[.//text() contains text 'real'])
</pre>
+
</syntaxhighlight>
  
BaseX does '''not''' support the ''ignore option'' (<code>without content</code>) of the [http://www.w3.org/TR/xpath-full-text-10/#ftignoreoption W3C XQuery Full Text 1.0] Recommendation. If you want to ignore descendant element content, such as footnotes or other material that does not belong to the same logical text flow, you can build a second database from and exclude all information you do not want to search for. See the following example (visit [[XQuery Update]] to learn more about updates):
+
BaseX does '''not''' support the ''ignore option'' (<code>without content</code>) of the [https://www.w3.org/TR/xpath-full-text-10/#ftignoreoption W3C XQuery Full Text 1.0] Recommendation. If you want to ignore descendant element content, such as footnotes or other material that does not belong to the same logical text flow, you can build a second database from and exclude all information you do not want to search for. See the following example (visit [[XQuery Update]] to learn more about updates):
  
<pre class="brush:xquery">
+
<syntaxhighlight lang="xquery">
 
let $docs := db:open('docs')
 
let $docs := db:open('docs')
 
return db:create(
 
return db:create(
Line 284: Line 320:
 
   map { 'ftindex': true() }
 
   map { 'ftindex': true() }
 
)
 
)
</pre>
+
</syntaxhighlight>
  
 
=Functions=
 
=Functions=
Line 316: Line 352:
 
|-
 
|-
 
| {{Code|decomposition}}
 
| {{Code|decomposition}}
| Defines how composed characters are handled. Three decompositions are supported: {{Code|none}}, {{Code|standard}}, and {{Code|full}}. More details are found in the [http://docs.oracle.com/javase/7/docs/api/java/text/Collator.html JavaDoc] of the JDK.
+
| Defines how composed characters are handled. Three decompositions are supported: {{Code|none}}, {{Code|standard}}, and {{Code|full}}. More details are found in the [https://docs.oracle.com/en/java/javase/11/docs/api/java.base/java/text/Collator.html JavaDoc] of the JDK.
 
|}
 
|}
  
Line 323: Line 359:
 
* If a default collation is specified, it applies to all collation-dependent string operations in the query. The following expression yields <code>true</code>:
 
* If a default collation is specified, it applies to all collation-dependent string operations in the query. The following expression yields <code>true</code>:
  
<pre class="brush:xquery">
+
<syntaxhighlight lang="xquery">
 
declare default collation 'http://basex.org/collation?lang=de;strength=secondary';
 
declare default collation 'http://basex.org/collation?lang=de;strength=secondary';
 
'Straße' = 'Strasse'
 
'Straße' = 'Strasse'
</pre>
+
</syntaxhighlight>
  
 
* Collations can also be specified in {{Code|order by}} and {{Code|group by}} clauses of FLWOR expressions. This query returns {{Code|à plutôt! bonjour!}}:
 
* Collations can also be specified in {{Code|order by}} and {{Code|group by}} clauses of FLWOR expressions. This query returns {{Code|à plutôt! bonjour!}}:
  
<pre class="brush:xquery">
+
<syntaxhighlight lang="xquery">
 
for $w in ("bonjour!", "à plutôt!") order by $w collation "?lang=fr" return $w
 
for $w in ("bonjour!", "à plutôt!") order by $w collation "?lang=fr" return $w
</pre>
+
</syntaxhighlight>
  
 
* Various string function exists that take an optional collation as argument: The following functions give us {{Code|a}} and {{Code|1 2 3}} as results:
 
* Various string function exists that take an optional collation as argument: The following functions give us {{Code|a}} and {{Code|1 2 3}} as results:
  
<pre class="brush:xquery"><nowiki>
+
<syntaxhighlight lang="xquery"><nowiki>
 
distinct-values(("a", "á", "à"), "?lang=it-IT;strength=primary"),
 
distinct-values(("a", "á", "à"), "?lang=it-IT;strength=primary"),
 
index-of(("a", "á", "à"), "a", "?lang=it-IT;strength=primary")
 
index-of(("a", "á", "à"), "a", "?lang=it-IT;strength=primary")
</nowiki></pre>
+
</nowiki></syntaxhighlight>
 +
 
 +
If the [http://site.icu-project.org/download ICU Library] is added to the classpath, the full [https://www.w3.org/TR/xpath-functions-31/#uca-collations Unicode Collation Algorithm] features become available:
 +
 
 +
<syntaxhighlight lang="xquery">
 +
(: returns 0 (both strings are compared as equal) :)
 +
compare('a-b', 'ab', 'http://www.w3.org/2013/collation/UCA?alternate=shifted')
 +
</syntaxhighlight>
  
 
=Changelog=
 
=Changelog=
 +
 +
; Version 9.6
 +
* Updated: [[#Fuzzy_Querying|Fuzzy Querying]]: Specify Levenshtein error
 +
 +
; Version 9.5:
 +
* Removed: Scoring propagation.
 +
 +
; Version 9.2:
 +
* Added: Arabic stemmer.
  
 
; Version 8.0:
 
; Version 8.0:
 
 
* Updated: [[#Scoring|Scores]] will be propagated by the {{Code|and}} and {{Code|or}} expressions and in predicates.
 
* Updated: [[#Scoring|Scores]] will be propagated by the {{Code|and}} and {{Code|or}} expressions and in predicates.
  
 
; Version 7.7:
 
; Version 7.7:
 
 
* Added: [[#Collations|Collations]] support.
 
* Added: [[#Collations|Collations]] support.
  
 
; Version 7.3:
 
; Version 7.3:
 
 
* Removed: Trie index, which was specialized on wildcard queries. The fuzzy index now supports both wildcard and fuzzy queries.
 
* Removed: Trie index, which was specialized on wildcard queries. The fuzzy index now supports both wildcard and fuzzy queries.
 
* Removed: TF/IDF scoring was discarded in favor of the internal scoring model.
 
* Removed: TF/IDF scoring was discarded in favor of the internal scoring model.

Revision as of 12:47, 19 August 2021

This article is part of the XQuery Portal. It summarizes the features of the W3C XQuery Full Text Recommendation, and custom features of the implementation in BaseX.

Please read the separate Full-Text Index section in our documentation if you want to learn how to evaluate full-text requests on large databases within milliseconds.

Introduction

The XQuery and XPath Full Text Recommendation (XQFT) is a feature-rich extension of the XQuery language. It can be used to both query XML documents and single strings for words and phrases. BaseX was the first query processor that supported all features of the specification.

This section gives you a quick insight into the most important features of the language.

This is a simple example for a basic full-text expression:

<syntaxhighlight lang="xquery"> "This is YOUR World" contains text "your world" </syntaxhighlight>

It yields true, because the search string is tokenized before it is compared with the tokenized input string. In the tokenization process, several normalizations take place. Many of those steps can hardly be simulated with plain XQuery: as an example, upper/lower case and diacritics (umlauts, accents, etc.) are removed and an optional, language-dependent stemming algorithm is applied. Beside that, special characters such as whitespaces and punctuation marks will be ignored. Thus, this query also yields true:

<syntaxhighlight lang="xquery"> "Well... Done!" contains text "well, done" </syntaxhighlight>

The occurs keyword comes into play when more than one occurrence of a token is to be found:

<syntaxhighlight lang="xquery"> "one and two and three" contains text "and" occurs at least 2 times </syntaxhighlight>

Various range modifiers are available: exactly, at least, at most, and from ... to ....

Combining Results

In the given example, curly braces are used to combine multiple keywords:

<syntaxhighlight lang="xquery"> for $country in doc('factbook')//country where $country//religions[text() contains text { 'Sunni', 'Shia' } any] return $country/name </syntaxhighlight>

The query will output the names of all countries with a religion element containing sunni or shia. The any keyword is optional; it can be replaced with:

  • all: all strings need to be found
  • any word: any of the single words within the specified strings need to be found
  • all words: all single words within the specified strings need to be found
  • phrase: all strings need to be found as a single phrase

The keywords ftand, ftor and ftnot can also be used to combine multiple query terms. The following query yields the same result as the last one does:

<syntaxhighlight lang="xquery"> doc('factbook')//country[descendant::religions contains text 'sunni' ftor 'shia']/name </syntaxhighlight>

The keywords not in are special: they are used to find tokens which are not part of a longer token sequence:

<syntaxhighlight lang="xquery"> for $text in ("New York", "new conditions") return $text contains text "New" not in "New York" </syntaxhighlight>

Due to the complex data model of the XQuery Full Text spec, the usage of ftand may lead to a high memory consumption. If you should encounter problems, simply use the all keyword:

<syntaxhighlight lang="xquery"> doc('factbook')//country[descendant::religions contains text { 'Christian', 'Jewish'} all]/name </syntaxhighlight>

Positional Filters

A popular retrieval operation is to filter texts by the distance of the searched words. In this query…

<syntaxhighlight lang="xquery"> <xml>

 <text>There is some reason why ...</text>
 <text>For some good yet unknown reason, ...</text>
 <text>The reason why some people ...</text>

</xml>//text[. contains text { "some", "reason" } all ordered distance at most 3 words] </syntaxhighlight>

…the two first texts will be returned as result, because there are at most three words between some and reason. Additionally, the ordered keyword ensures that the words are found in the specified order, which is why the third text is excluded. Note that all is required here to guarantee that only those hits will be accepted that contain all searched words.

The window keyword is related: it accepts those texts in which all keyword occur within the specified number of tokens. Can you guess what is returned by the following query?

<syntaxhighlight lang="xquery"> ("A C D", "A B C D E")[. contains text { "A", "E" } all window 3 words] </syntaxhighlight>

Sometimes it is interesting to only select texts in which all searched terms occur in the same sentence or paragraph (you can even filter for different sentences/paragraphs). This is obviously not the case in the following example:

<syntaxhighlight lang="xquery"> 'Mary told me, “I will survive!”.' contains text { 'will', 'told' } all words same sentence </syntaxhighlight>

By the way: In some examples above, the words unit was used, but sentences and paragraphs would have been valid alternatives.

Last but not least, three specifiers exist to filter results depending on the position of a hit:

  • at start expects tokens to occur at the beginning of a text
  • at end expects tokens to occur at the text end
  • entire content only accepts texts which have no other words at the beginning or end

Match Options

As indicated in the introduction, the input and query texts are tokenized before they are compared with each other. During this process, texts are split into tokens, which are then normalized, based on the following matching options:

  • If case is insensitive, no distinction is made between characters in upper and lower case. By default, the option is insensitive; it can also be set to sensitive:

<syntaxhighlight lang="xquery"> "Respect Upper Case" contains text "Upper" using case sensitive </syntaxhighlight>

  • If diacritics is insensitive, characters with and without diacritics (umlauts, characters with accents) are declared as identical. By default, the option is insensitive; it can also be set to sensitive:

<syntaxhighlight lang="xquery"> "'Äpfel' will not be found..." contains text "Apfel" using diacritics sensitive </syntaxhighlight>

  • If stemming is activated, words are shortened to a base form by a language-specific stemmer:

<syntaxhighlight lang="xquery"> "catch" contains text "catches" using stemming </syntaxhighlight>

  • With the stop words option, a list of words can be defined that will be ignored when tokenizing a string. This is particularly helpful if the full-text index takes too much space (a standard stopword list for English texts is provided in the directory etc/stopwords.txt in the full distributions of BaseX, and available online at http://files.basex.org/etc/stopwords.txt):

<syntaxhighlight lang="xquery"> "You and me" contains text "you or me" using stop words ("and", "or"), "You and me" contains text "you or me" using stop words at "http://files.basex.org/etc/stopwords.txt" </syntaxhighlight>

  • Related terms such as synonyms can be found with the sophisticated Thesaurus option.

The wildcards option facilitates search operations similar to simple regular expressions:

  • . matches a single arbitrary character.
  • .? matches either zero or one character.
  • .* matches zero or more characters.
  • .+ matches one or more characters.
  • .{min,max} matches minmax number of characters.

<syntaxhighlight lang="xquery"> "This may be interesting in the year 2000" contains text { "interest.*", "2.{3,3}" } using wildcards </syntaxhighlight>

This was a quick introduction to XQuery Full Text; you are invited to explore the numerous other features of the language!

BaseX Features

Languages

The chosen language determines how strings will be tokenized and stemmed. Either names (e.g. English, German) or codes (en, de) can be specified. A list of all language codes that are available on your system can be retrieved as follows:

<syntaxhighlight lang="xquery"> declare namespace locale = "java:java.util.Locale"; distinct-values(locale:getAvailableLocales() ! locale:getLanguage(.)) </syntaxhighlight>

By default, unless the languages codes ja, ar, ko, th, or zh are specified, a tokenizer for Western texts is used:

  • Whitespaces are interpreted as token delimiters.
  • Sentence delimiters are ., !, and ?.
  • Paragraph delimiters are newlines (&#xa;).

The basic JAR file of BaseX comes with built-in stemming support for English, German, Greek and Indonesian. Some more languages are supported if the following libraries are found in the classpath:

  • lucene-stemmers-3.4.0.jar includes the Snowball and Lucene stemmers for the following languages: Arabic, Bulgarian, Catalan, Czech, Danish, Dutch, Finnish, French, Hindi, Hungarian, Italian, Latvian, Lithuanian, Norwegian, Portuguese, Romanian, Russian, Spanish, Swedish, Turkish.

The JAR files are included in the ZIP and EXE distributions of BaseX.

The following two queries, which both return true, demonstrate that stemming depends on the selected language:

<syntaxhighlight lang="xquery"> "Indexing" contains text "index" using stemming, "häuser" contains text "haus" using stemming using language "German" </syntaxhighlight>

Scoring

The XQuery Full Text Recommendation allows for the usage of scoring models and values within queries, with scoring being completely implementation-defined.

The scoring model of BaseX takes into consideration the number of found terms, their frequency in a text, and the length of a text. The shorter the input text is, the higher scores will be:

<syntaxhighlight lang="xquery"> (: Score values: 1 0.62 0.45 :) for $text in ("A", "A B", "A B C") let score $score := $text contains text "A" order by $score descending return <hit score='{ format-number($score, "0.00") }'>{ $text }</hit> </syntaxhighlight>

This simple approach has proven to consistently deliver good results, in particular when little is known about the structure of the queried XML documents.

Scoring values can be further processed to compute custom values:

<syntaxhighlight lang="xquery"> let $terms := ('a', 'b') let $scores := ft:score($terms ! ('a b c' contains text { . })) return avg($scores) </syntaxhighlight>

Scoring is supported within full-text expressions, by ft:search, and by simple predicate tests that can be rewritten to ft:search:

<syntaxhighlight lang="xquery"> let $string := 'a b' return ft:score($string contains text 'a' ftand 'b'),

for $n score $s in ft:search('factbook', 'orthodox') order by $s descending return $s || ': ' || $n,

for $n score $s in db:open('factbook')//text()[. contains text 'orthodox'] order by $s descending return $s || ': ' || $n </syntaxhighlight>

Thesaurus

One or more thesaurus files can be specified in a full-text expression. The following query returns false:

<syntaxhighlight lang="xquery"> 'hardware' contains text 'computers'

 using thesaurus default

</syntaxhighlight>

If a thesaurus is employed…

<syntaxhighlight lang="xml"> <thesaurus xmlns="http://www.w3.org/2007/xqftts/thesaurus">

 <entry>
   <term>computers</term>
   <synonym>
     <term>hardware</term>
     <relationship>NT</relationship>
   </synonym>
 </entry>

</thesaurus> </syntaxhighlight>

…the result will be true:

<syntaxhighlight lang="xquery"> 'hardware' contains text 'computers'

 using thesaurus at 'thesaurus.xml'

</syntaxhighlight>

Thesaurus files must comply with the XSD Schema of the XQFT Test Suite (but the namespace can be omitted). Apart from the relationship defined in ISO 2788 (NT: narrower team, RT: related term, etc.), custom relationships can be used.

The type of relationship and the level depth can be specified as well:

<syntaxhighlight lang="xquery"> (: BT: find broader terms; NT means narrower term :) 'computers' contains text 'hardware'

 using thesaurus at 'x.xml' relationship 'BT' from 1 to 10 levels

</syntaxhighlight>

More details can be found in the specification.

Fuzzy Querying

In addition to the official recommendation, BaseX supports a fuzzy search feature. The XQFT grammar was enhanced by the fuzzy match option to allow for approximate results in full texts:

Document 'doc.xml': <syntaxhighlight lang="xml"> <doc>

  <a>house</a>
  <a>hous</a>
  <a>haus</a>

</doc> </syntaxhighlight>

Query: <syntaxhighlight lang="xquery"> //a[text() contains text 'house' using fuzzy] </syntaxhighlight>

Result: <syntaxhighlight lang="xml"> <a>house</a> <a>hous</a> </syntaxhighlight>

Fuzzy search is based on the Levenshtein distance. The maximum number of allowed errors is calculated by dividing the token length of a specified query term by 4. The query above yields two results as there is no error between the query term “house” and the text node “house”, and one error between “house” and “hous”.

A user-defined value can be adjusted globally via the LSERROR option or, since Version 9.6, via an additional argument:

<syntaxhighlight lang="xquery"> //a[text() contains text 'house' using fuzzy 3 errors] </syntaxhighlight>

Mixed Content

When working with so-called narrative XML documents, such as HTML, TEI, or DocBook documents, you typically have mixed content, i.e., elements containing a mix of text and markup, such as:

<syntaxhighlight lang="xml">

This is only an illustrative <hi>example</hi>, not a real text.

</syntaxhighlight>

Since the logical flow of the text is not interrupted by the child elements, you will typically want to search across elements, so that the above paragraph would match a search for “real text”. For more examples, see XQuery and XPath Full Text 1.0 Use Cases.

To enable this kind of searches, it is recommendable to:

  • Turn off whitespace chopping when importing XML documents. This can be done by setting CHOP to OFF. This can also be done in the GUI if a new database is created (DatabaseNew…ParsingChop Whitespaces).
  • Turn off automatic indentation by assigning indent=no to the SERIALIZER option.

A query such as //p[. contains text 'real text'] will then match the example paragraph above. However, the full-text index will not be used in this query, so it may take a long time. The full-text index would be used for the query //p[text() contains text 'real text'], but this query will not find the example paragraph, because the matching text is split over two text nodes.

Note that the node structure is ignored by the full-text tokenizer: The contains text expression applies all full-text operations to the string value of its left operand. As a consequence, the ft:mark and ft:extract functions (see Full-Text Functions) will only yield useful results if they are applied to single text nodes, as the following example demonstrates:

<syntaxhighlight lang="xquery"> (: Structure is ignored; no highlighting: :) ft:mark(//p[. contains text 'real']) (: Single text nodes are addressed: results will be highlighted: :) ft:mark(//p[.//text() contains text 'real']) </syntaxhighlight>

BaseX does not support the ignore option (without content) of the W3C XQuery Full Text 1.0 Recommendation. If you want to ignore descendant element content, such as footnotes or other material that does not belong to the same logical text flow, you can build a second database from and exclude all information you do not want to search for. See the following example (visit XQuery Update to learn more about updates):

<syntaxhighlight lang="xquery"> let $docs := db:open('docs') return db:create(

 'index-db',
 $docs update delete node (
   .//footnote
 ),
 $docs/db:path(.),
 map { 'ftindex': true() }

) </syntaxhighlight>

Functions

Some additional Full-Text Functions have been added to BaseX to extend the official language recommendation with useful features, such as explicitly requesting the score value of an item, marking the hits of a full-text request, or directly accessing the full-text index with the default index options.

Collations

See XQuery 3.1 for standard collation features.

By default, string comparisons in XQuery are based on the Unicode codepoint order. The default namespace URI http://www.w3.org/2003/05/xpath-functions/collation/codepoint specifies this ordering. In BaseX, the following URI syntax is supported to specify collations:

 http://basex.org/collation?lang=...;strength=...;decomposition=...

Semicolons can be replaced with ampersands; for convenience, the URL can be reduced to its query string component (including the question mark). All arguments are optional:

Argument Description
lang A language code, selecting a Locale. It may be followed by a language variant. If no language is specified, the system’s default will be chosen. Examples: de, en-US.
strength Level of difference considered significant in comparisons. Four strengths are supported: primary, secondary, tertiary, and identical. As an example, in German:
decomposition Defines how composed characters are handled. Three decompositions are supported: none, standard, and full. More details are found in the JavaDoc of the JDK.

Some Examples:

  • If a default collation is specified, it applies to all collation-dependent string operations in the query. The following expression yields true:

<syntaxhighlight lang="xquery"> declare default collation 'http://basex.org/collation?lang=de;strength=secondary'; 'Straße' = 'Strasse' </syntaxhighlight>

  • Collations can also be specified in order by and group by clauses of FLWOR expressions. This query returns à plutôt! bonjour!:

<syntaxhighlight lang="xquery"> for $w in ("bonjour!", "à plutôt!") order by $w collation "?lang=fr" return $w </syntaxhighlight>

  • Various string function exists that take an optional collation as argument: The following functions give us a and 1 2 3 as results:

<syntaxhighlight lang="xquery"> distinct-values(("a", "á", "à"), "?lang=it-IT;strength=primary"), index-of(("a", "á", "à"), "a", "?lang=it-IT;strength=primary") </syntaxhighlight>

If the ICU Library is added to the classpath, the full Unicode Collation Algorithm features become available:

<syntaxhighlight lang="xquery"> (: returns 0 (both strings are compared as equal) :) compare('a-b', 'ab', 'http://www.w3.org/2013/collation/UCA?alternate=shifted') </syntaxhighlight>

Changelog

Version 9.6
Version 9.5
  • Removed: Scoring propagation.
Version 9.2
  • Added: Arabic stemmer.
Version 8.0
  • Updated: Scores will be propagated by the and and or expressions and in predicates.
Version 7.7
Version 7.3
  • Removed: Trie index, which was specialized on wildcard queries. The fuzzy index now supports both wildcard and fuzzy queries.
  • Removed: TF/IDF scoring was discarded in favor of the internal scoring model.