Changes

Jump to navigation Jump to search
3,443 bytes added ,  10:30, 3 August 2022
m
Text replacement - "8984" to "8080"
This page presents one of the [[Web Application]] services. It describes how to use the RESTXQ API of BaseX.
RESTXQ, introduced by [http://www.adamretter.org.uk/ Adam Retter], is an API that facilitates the use of XQueryas a server-side processing language for the Web. RESTXQ It has been inspired by Java’sthe Java [httphttps://en.wikipedia.org/wiki/Java_API_for_RESTful_Web_Services JAX-RS API]: it defines It provides a pre-defined set ofXQuery 3.0 annotations for mapping HTTP requests to XQuery functions, which in turn generate and returnHTTP responses.
Please note that BaseX provides various extensions to the original draft of the specification:
* Quality factors in the [[#Content Negotiation|Accept header]] will be evaluated
* Support for server-side quality factors in the [[#Content Negotiation|<code>%rest:produces</code>]] annotation
* Better support for the OPTIONS and HEAD methods
<br />
==Preliminaries==
The RESTXQ service is accessible via {{Code|http://localhost:89848080/}}.
All RESTXQ [[XQuery 3.0#Annotations|annotations]] are assigned to the <code><nowiki>http://exquery.org/ns/restxq</nowiki></code> namespace, which is statically bound to the {{Code|rest}} prefix. A ''Resource Function'' is an XQuery function that has been marked up with RESTXQ annotations. When an HTTP request comes in, a resource function will be invoked that matches the constraints indicated by its annotations.
If a RESTXQ URL is requested, the {{Option|RESTXQPATH}} module directory and its sub-directories subdirectories will be traversed, and all [[XQuery Extensions#Suffixes|XQuery files]] will be parsed for functions with RESTXQ annotations. Sub-directories Subdirectories that include an {{Code|.ignore}} file will be skipped. With {{Version|9.2}}, XQuery modules that cannot be parsed will be ignored as well.
To speed up processing, the functions of the existing XQuery modules are automatically cached in main memory:
* Functions will be invalidated and parsed again if the timestamp of their module changes.
* File monitoring can be adjusted via the {{Option|PARSERESTXQ}} option. In productive environments with a high load, it may be recommendable to change the timeout, or completely disable monitoring.
* If files are replaced while the web server is running, the RESTXQ module cache should be explicitly invalidated by calling the static root path {{Code|/.init}} or by calling the [[{{Function|RESTXQ Module#rest:init|rest:init]] }} function.
==Examples==
A first RESTXQ function is shown below:
<pre classsyntaxhighlight lang="brush:xquery">
module namespace page = 'http://basex.org/examples/web-page';
<title>Hello { $who }!</title>
</response>
};</presyntaxhighlight>
If the URI http://localhost:89848080/hello/World is accessed, the result will be:
<pre classsyntaxhighlight lang="brush:xml">&lt;<response&gt;> &lt;<title&gt;>Hello World!&lt;</title&gt;>&lt;</response&gt;></presyntaxhighlight>
The next function demonstrates a POST request:
<pre classsyntaxhighlight lang="brush:xquery">
declare
%rest:path("/form")
$agent as xs:string*
) as element(response) {
&lt;<response type='form'&gt;> &lt;<message&gt;>{ $message }&lt;</message&gt;> &lt;<user-agent&gt;>{ $agent }&lt;</user-agent&gt;> &lt;</response&gt;>
};
</presyntaxhighlight>
If you post something (e.g. using curl or the embedded form at http://localhost:89848080/)...
<pre classsyntaxhighlight lang="brush:shell">curl -i -X POST --data "message='CONTENT'" http://localhost:89848080/form</presyntaxhighlight>
...you will receive something similar to the following result:
<pre classsyntaxhighlight lang="brush:shell">
HTTP/1.1 200 OK
Content-Type: application/xml; charset=UTF-8
Content-Length: 107
Server: Jetty(8.1.11.v20130520)
</presyntaxhighlight>
<pre classsyntaxhighlight lang="brush:xml">
<response type="form">
<message>'CONTENT'</message>
<user-agent>curl/7.31.0</user-agent>
</response>
</presyntaxhighlight>
=Request=
The following example contains a path annotation with three segments and two templates. One of the function arguments is further specified with a data type, which means that the value for <code>$variable</code> will be cast to an <code>xs:integer</code> before being bound:
<pre classsyntaxhighlight lang="brush:xquery">
declare %rest:path("/a/path/{$with}/some/{$variable}")
function page:test($with, $variable as xs:integer) { ... };
</presyntaxhighlight>
<!-- TODO how matching works -->
Variables can be enhanced by regular expressions:
<pre classsyntaxhighlight lang="brush:xquery">
(: Matches all paths with "app" as first, a number as second, and "order" as third segment :)
declare %rest:path("app/{$code=[0-9]+}/order")
declare %rest:path("app/{$path=.+}")
function page:others($path) { ... };
</presyntaxhighlight>
<!-- TODO how matching works -->
===Content Negotiation===
Two following annotations Functions can be used to restrict functions restricted to specific content Media Types. The default type is {{Code|*/*}}. Multiple types:can either be specified by a single or by multiple annotations.
* '''HTTP Content Types''': A function will only be invoked if the HTTP {{Code|Content-Type}} header of the request matches one of the given content types. Example:<pre class="brush:xquery">%rest:consumes("application/xml", "text/xml")</pre>* '''HTTP Accept''': A function will only be invoked if the HTTP {{Code|Accept}} header of the request matches one of the defined content types. Example:<pre class="brush:xquery">%rest:produces("application/atom+xml")</pre>==Consuming Data====
By default, both content A function will only be taken into consideration if the HTTP {{Code|Content-Type}} header of the request matches one of the given types are : <syntaxhighlight lang="xquery">declare %rest:POST("{$body}") %rest:path("/xml") %rest:consumes("application/xml") %rest:consumes("text/xml")function page:xml($body) { $body };</syntaxhighlight> ====Producing Data==== A function will only be chosen if the HTTP {{Code|*Accept}} header of the request matches one of the given types: <syntaxhighlight lang="xquery">declare %rest:path("/*}xml") %rest:produces("application/xml", "text/xml")function page:xml() { <xml/> };</syntaxhighlight> Note that the annotations will ''not'' affect the type of the actual response: You will need to supply an additional <code>[[#Output|%output:media-type]]</code> annotation or (if a single function may produce results of different types) generate an apt [[#Custom_Response|Custom Response]].  ====Quality Factors==== A client can supply quality factors supplied by a client will also be considered in to influence the path server-side function selection process. If a client supplies sends the following accept header…HTTP header with quality factors…
<pre>
Accept: */*;q=0.5,text/html;q=1.0
</pre>
…and if two RESTXQ functions exist with for the same {{Code|addressed path}} annotation, one with the {{Code|produces}} annotation <code>*/*</code>, and another with <code>text/html</code>, the second function will be called, because the quality factor two different annotations for <code>text/html</code> documents is highest.producing data…
Server-side quality factors are supported as well: If multiple function candidates are left over after the above steps, the <codesyntaxhighlight lang="xquery">qs<declare function %rest:produces("text/code> parameter will be consideredhtml") ...... The declare function with the highest quality factor will be favored%rest:produces("*/*") ...</syntaxhighlight>
…the first of these function will be chosen, as the quality factor for <pre class="brush:xquery"code>%rest:produces("text/html;qs=1")%rest:produces("*</*;qs=0code> documents is highest.8") As we cannot ensure that the client may supply quality factors, the selection process can also be controlled server-side. The <code>qs</precode>parameter can be attached server-side to the Media Type. If multiple functions are left in the selection process, the one with the highest quality factor will be favored:
Note that the annotation will ''not'' affect the content type of the actual response. You will need to supply an additional <codesyntaxhighlight lang="xquery">[[#Output|declare function %rest:produces("application/json;qs=1") ......declare function %outputrest:media-type]]produces("*/*;qs=0.5") ...</codesyntaxhighlight> annotation.
===HTTP Methods===
====Default Methods====
The HTTP method annotations are equivalent to all [httphttps://en.wikipedia.org/wiki/HTTP#Request_methods HTTP request methods] except TRACE and CONNECT. Zero or more methods may be used on a function; if none is specified, the function will be invoked for each method.
The following function will be called if GET or POST is used as request method:
<pre classsyntaxhighlight lang="brush:xquery">
declare %rest:GET %rest:POST %rest:path("/post")
function page:post() { "This was a GET or POST request" };
</presyntaxhighlight>
The POST and PUT annotations may optionally take a string literal in order to map the HTTP request body to a [[#Parameters|function argument]]. Once again, the target variable must be embraced by curly brackets:
<pre classsyntaxhighlight lang="brush:xquery">
declare %rest:PUT("{$body}") %rest:path("/put")
function page:put($body) { "Request body: " || $body };
</presyntaxhighlight>
====Custom Methods====
Custom HTTP methods can be specified with the {{Code|%rest:method}} annotation. An optional body variable can be supplied as second argument<syntaxhighlight lang="xquery">declare %rest:path("binary-size") %rest:method("SIZE", "{$body}")function page:patch( $body as xs:base64Binary) { "Request method: " || request:method(), "Size of body: " || bin:length($body)};</syntaxhighlight> If an OPTIONS request is received, and if no function is defined, an automatic response will be generated, which includes an <code>Allow</code> header with all supported methods.
<pre class="brush:xquery">declare %rest:method("RETRIEVE") If a HEAD request is received, and if no function page:retrieve() { "RETRIEVE was specified as request methodis defined, the corresponding GET function will be processed, but the response body will be discarded." };</pre>
==Content Types==
by specifying additional content-type parameters:
{| class="wikitable" width="100%"
|- valign="top"
! Content-Type
! Parameters (<code>;name=value</code>)
! Type of resulting XQuery item
|-valign="top"
| {{Code|text/xml}}, {{Code|application/xml}}
|
| {{Code|document-node()}}
|-valign="top"
| {{Code|text/*}}
|
| {{Code|xs:string}}
|-valign="top"
| {{Code|application/json}}
| [[JSON Module#Options|JSON Options]]
| {{Code|document-node()}} or {{Code|map(*)}}
|-valign="top"
| {{Code|text/html}}
| [[HTML Module#Options|HTML Options]]
| {{Code|document-node()}}
|-valign="top"
| {{Code|text/comma-separated-values}}
| [[CSV Module#Options|CSV Options]]
| {{Code|document-node()}} or {{Code|map(*)}}
|-valign="top"
| ''others''
|
| {{Code|xs:base64Binary}}
|-valign="top"
| {{Code|multipart/*}}
|
Conversion options for {{Option|JSON}}, {{Option|CSV}} and {{Option|HTML}} can also be specified via annotations with the <code>input</code> prefix. The following function interprets the input as text with the CP1252 encoding and treats the first line as header:
<pre classsyntaxhighlight lang="brush:xquery">
declare
%rest:path("/store.csv")
"Number of rows: " || count($csv/csv/record)
};
</presyntaxhighlight>
===Multipart Types===
A function that is capable of handling multipart types is identical to other RESTXQ functions:
<pre classsyntaxhighlight lang="brush:xquery">
declare
%rest:path("/multipart")
"Number of items: " || count($data)
};
</presyntaxhighlight>
==Parameters==
The value of the ''first parameter'', if found in the [[Request_Module#Conventions|query component]], will be assigned to the variable specified as ''second parameter''. If no value is specified in the HTTP request, all additional parameters will be bound to the variable (if no additional parameter is given, an empty sequence will be bound):
<pre classsyntaxhighlight lang="brush:xquery">
declare
%rest:path("/params")
<result id="{ $id }" sum="{ sum($add) }"/>
};
</presyntaxhighlight>
===HTML Form Fields===
Form parameters are specified the same way as [[#Query Parameters|query parameters]]. Their values are the result of HTML forms submitted with the content type <code>application/x-www-form-urlencoded</code>.:
<pre classsyntaxhighlight lang="brush:xquery">%rest:form-param("parametercity", "{$valuecity}", "no-city-specified")</syntaxhighlight> The values are the result of HTML forms submitted with the (default) content type <code>application/x-www-form-urlencoded</code>: <syntaxhighlight lang="xml"><form action="/process" method="POST" enctype="application/x-www-form-urlencoded"> <input type="text" name="city"/> <input type="submit")/></form></presyntaxhighlight>
====File Uploads====
Files can be uploaded to the server by using the content type {{Code|multipart/form-data}} (the HTML5 {{Code|multiple}} attribute enables the upload of multiple files):
<pre classsyntaxhighlight lang="brush:xml">
<form action="/upload" method="POST" enctype="multipart/form-data">
<input type="file" name="files" multiple="multiple"/>
<input type="submit"/>
</form>
</presyntaxhighlight>
The file contents are placed in a [[Map Module|map]], with the filename serving as key. The following example shows how uploaded files can be stored in a temporary directory:
<pre classsyntaxhighlight lang="brush:xquery">
declare
%rest:POST
)
};
</presyntaxhighlight>
===HTTP Headers===
Header parameters are specified the same way as [[#Query Parameters|query parameters]]:
<pre classsyntaxhighlight lang="brush:xquery">
%rest:header-param("User-Agent", "{$user-agent}")
%rest:header-param("Referer", "{$referer}", "none")
</presyntaxhighlight>
===Cookies===
Cookie parameters are specified the same way as [[#Query Parameters|query parameters]]:
<pre classsyntaxhighlight lang="brush:xquery">
%rest:cookie-param("username", "{$user}")
%rest:cookie-param("authentication", "{$auth}", "no_auth")
</presyntaxhighlight>
==Query Execution==
In many RESTXQ web search scenarios, user input from browser forms is processed and search results are returned. User experience Such operations can generally be made more interactive if an updated by sending a new search request is triggered to the server with each key click. However, this may lead to many expensive parallel server-side requests, from which only the result of the last request will be relevant for the client.
With the <code>%rest:single</code> annotation, it can be enforced that only one instance of a function will be executed run at the same time and for the same client. If the same function will be called for the second time, the already running a currently executed query will be stopped, and the HTTP error code {{Code|460}} will be returned instead:
<pre classsyntaxhighlight lang="brush:xquery">
(: If fast enough, returns the result. Otherwise, if called again, raises 460 :)
declare
function page:search($term as xs:string) {
<ul>{
for $result in db:openget('large-db')//*[text() = $term]
return <li>{ $result }</li>
}</ul>
};
</presyntaxhighlight>
By specifying adding a string along value to with the annotation, functions can be bundled together, and one request a running query can be canceled by calling another onethat has the same annotation value. This is shown by another example, in which the first function can be interrupted by the second one. If you call both functions in separate browser tabs, you will note that the first tab will return <code>460</code>, and the second one will return <xml>stopped</xml>.
This is shown by another example, in which the first function can be interrupted by the second one. If you call both functions in separate browser tabs, you will note that the first tab will return <code>460</code>, and the second one will return <xml>stopped</xml>. <pre classsyntaxhighlight lang="brush:xquery">
declare
%rest:path("/compute")
<xml>stopped</xml>
};
</presyntaxhighlight>
The following things should be noted:
* If a query will be canceled, there will be no undesirable side-effects. For example, it won’t be possible to kill abort a query if it is currenly currently updating the database or perfoming performing any other I/O operations. As a result, the termination of a running query can take some more time as expected.
* The currently executed function is bound to the current session. This way, a client will not be able to cancel requests from other clients. As a result, functions can only be stopped if there was at least one previous successful response, in which initial session data was returned to the client.
By default, a successful request is answered with the HTTP status code {{Code|200}} (OK) and is followed by the given content. An erroneous request leads to an error code and an optional error message (e.g. {{Code|404}} for “resource not found”).
 
A {{Code|Server-Timing}} HTTP header is attached to each response. It indicates how much time was spent for parsing, compiling, evaluating and serializing the query. The last value will not necessarily reflect the full time for serializing the result, as the header is generated before the result is sent to the client. Server-side serialization can be enforced by annotating a function with the <code>[[#Query Execution|%rest:single]]</code> annotation.
==Custom Response==
Custom responses can be generated in XQuery by returning an <code>rest:response</code> element, an <code>http:response</code> child node that matches the syntax of the [http://expath.org/spec/http-client EXPath HTTP Client Module] specification, and optional child nodes that will be serialized as usual. A function that yields a response on an unknown resource may look as follows:
<pre classsyntaxhighlight lang="brush:xquery">
declare %output:method("text") %rest:path("") function page:error404() {
<rest:response>
"The requested resource is not available."
};
</presyntaxhighlight>
==Forwards and Redirects==
The two XML elements <code>rest:forward</code> and <code>rest:redirect</code> can be used in the context of [[Web Application]]s, precisely in the context of RESTXQ. These nodes allow e.g. multiple [[XQuery Update]]s in a row by redirecting to the RESTXQ path of updating functions. Both wrap a URL to a RESTXQ path. The wrapped URL should be properly encoded via <code>fn:encode-for-uri()</code>.===Redirects===
Note that, currentlyThe server can invite the client (e.g., these elements are not part of RESTXQ specification.the web browser) to make a second request to another URL by sending a 302 response:
<syntaxhighlight lang==="xml"><rest:forwardresponse> <http:response status="302"> <http:header name="Location" value="new-location"/> </http:response></rest:response></syntaxhighlight>
UsageThe convenience function {{Function|Web|web: wrap the location as follows<pre class="brush:xml"><rest:forward>{ $location redirect}}</rest:forward></pre>can be called to create such a response.
This results in In the XQuery context, redirects are particularly helpful if [[XQuery Update|Updates]] are performed. An updating request may send a server-side forwardingredirect to a second function that generates a success message, which as well reduces traffic among client and server. A forwarding of this kind will not change the URL seen from the client's perspective.or evaluates an updated database:
As an example, returning<pre classsyntaxhighlight lang="brush:xmlxquery"><declare %updating %rest:forward>/hellopath('/universe<app/restinit') function local:forward>create() { db:create('app', <root/pre>, 'root.xml'),would internally forward to http db://localhostoutput(web:8984redirect('/helloapp/universeok'))};
===declare %rest:redirect===path('/app/ok') function local:ok() { The function <code>[[Web Module#web 'Stored documents:redirect' ||webcount(db:redirect]]get('app'))};</codesyntaxhighlight> can be used to create a redirect response element. Alternatively, the following element can be sent:
<pre class="brush:xml"><rest:redirect>{ $location }</rest:redirect></pre>==Forwards===
A server-side redirect is called forwarding. It is an abbreviation forreduces traffic among client and server, and the forwarding will not change the URL seen from the client’s perspective:
<pre classsyntaxhighlight lang="brush:xml"><rest:responseforward> <http:response status="302"> <http:header name="location" value="{ $new-location }"/> </http:response></rest:responseforward></presyntaxhighlight>
The client decides whether to follow this redirection. Browsers usually will, tools like [http://curl.haxx.se/ curl] won’t unless fragment can also be created with the convenience function {{CodeFunction|-LWeb|web:forward}} is specified.
==Output==
In main modules, serialization parameters may be specified in the query prolog. These parameters will then apply to all functions in a module. In the following example, the content type of the response is overwritten with the {{Code|media-type}} parameter:
<pre classsyntaxhighlight lang="brush:xquery">
declare option output:media-type 'text/plain';
'Keep it simple, stupid'
};
</presyntaxhighlight>
===Annotations===
Global serialization parameters can be overwritten via <code>%output</code> annotations. The following example serializes XML nodes as JSON, using the [[JSON Module|JsonML]] format:
<pre classsyntaxhighlight lang="brush:xquery">
declare
%rest:path("cities")
function page:cities() {
element cities {
db:openget('factbook')//city/name
}
};
</presyntaxhighlight>
The next function, when called, generates XHTML headers, and {{Code|text/html}} will be set as content type:
<pre classsyntaxhighlight lang="brush:xquery">
declare
%rest:path("done")
</html>
};
</presyntaxhighlight>
===Response Element===
Serialization parameters can also be specified in a REST reponse element in a query. Serialization parameters will be overwritten:
<pre classsyntaxhighlight lang="brush:xquery">
declare %rest:path("version3") function page:version3() {
<rest:response>
'Not that simple anymore'
};
</presyntaxhighlight>
=Error Handling=
If an error is raised when RESTXQ code is parsed, compiled or evaluated, an HTTP response with the status code 500 is generated. By default, all server-side errors will be passed on to the client. This is particularly helpful during the development process. In a productive environment, however, it is advisable not to expose errors to the client. This can be realized via the {{Option|RESTXQERRORS}} option. If disabled, * XQuery modules that cannot be parsed will be ignored and* full error messages and stack traces will be suppressed and not included in the HTTP response. The full error information can still be looked up in the database logs. ==Raise Errors== With {{Function|Web|web:error}}, you can abort query evaluation, enforce a premature HTTP response and report errors back to the client: <syntaxhighlight lang="xquery">declare %rest:path("/teapot")function page:teapot() { web:error(418, "I'm a pretty teapot")};</syntaxhighlight> In contrast to the standard <code>fn:error</code> function, a status code can be supplied, and the response body will only contain the specified error message and no stack trace. ==Catch XQuery Errors==
XQuery runtime errors can be processed via ''error annotations''.Error annotations have one or more arguments, which represent the error codes to be caught.The codes equal the names of the XQuery 3.0 [[XQuery 3.0#Try.2FCatch|try/catch]] construct:
{| class="wikitable"
! Syntax
! Example
|-valign="top"
| 1
| <code>prefix:name</code><br/><code>Q{uri}name</code>
| <code>err:FORG0001</code><br/><code><nowiki>Q{http://www.w3.org/2005/xqt-errors}FORG0001</nowiki></code>
|-valign="top"
| 2
| <code>prefix:*</code><br/><code>Q{uri}*</code>
| <code>err:*</code><br/><code><nowiki>Q{http://www.w3.org/2005/xqt-errors}*</nowiki></code>
|-valign="top"
| 3
| <code>*:name</code>
| <code>*:FORG0001</code>
|-valign="top"
| 4
| <code>*</code>
Errors may occur unexpectedly. However, they can also be triggered by a query, as demonstrated by the following example:
<pre classsyntaxhighlight lang="brush:xquery">
declare
%rest:path("/check/{$user}")
'User "' || $user || '" is unknown'
};
</pre> An XQuery error in a RESTXQ context delivers by default a HTTP status code 400 error back to the client. However, you can also define a custom error code by using the third argument of the error function: <pre class="brush:xquery">declare %rest:path("/teapot")function page:teapot() { fn:error(xs:QName('error'), "I'm a teapot", 418)};</presyntaxhighlight>
==Catch HTTP Errors==
Errors that occur outside RESTXQ can be caught by adding {{Code|error-page}} elements with an error code and a target location to the {{Code|web.xml}} configuration file (find more details in the [http://www.eclipse.org/jetty/documentation/current/custom-error-pages.html Jetty Documentation]):
<pre classsyntaxhighlight lang="brush:xml">
<error-page>
<error-code>404</error-code>
<location>/error404</location>
</error-page>
</presyntaxhighlight>
The target location may be another RESTXQ function. The [[{{Function|Request Module#request:attribute|request:attribute]] }} function can be used to request details on the caught error:
<pre classsyntaxhighlight lang="brush:xquery">
declare %rest:path("/error404") function page:error404() {
"URL: " || request:attribute("javax.servlet.error.request_uri") || ", " ||
"Error message: " || request:attribute("javax.servlet.error.message")
};
</presyntaxhighlight>
=User Authentication=
=Functions=
The [[Request Module]] contains functions for accessing data related to the current HTTP request. Two modules exist for setting and retrieving server-side session data of the current user ([[Session Module]]) and all users known to the HTTP server ([[Sessions Module]]). The [[RESTXQ Module]] provides functions for requesting RESTXQ base URIs and generating a [httphttps://www.w3.org/Submission/wadl/ WADL description] of all services. Please note that the namespaces of all of these modules must be explicitly specified via module imports in the query prolog.
The following example returns the current host name:
<pre classsyntaxhighlight lang="brush:xquery">
import module namespace request = "http://exquery.org/ns/request";
'Remote host name: ' || request:remote-hostname()
};
</presyntaxhighlight>
=References=
* [http://www.adamretter.org.uk/papers/restful-xquery_january-2012.pdf RESTful XQuery, Standardised XQuery 3.0 Annotations for REST]. Paper, XMLPrague, 2012
* [http://www.adamretter.org.uk/presentations/restxq_mugl_20120308.pdf RESTXQ]. Slides, MarkLogic User Group London, 2012
* [httphttps://files.basex.org/publications/xmlprague/2013/Develop-RESTXQ-WebApps-with-BaseX.pdf Web Application Development]. Slides from XMLPrague 2013
Examples:
* Sample code combining XQuery and JavaScript: [httphttps://www.balisage.net/Proceedings/vol17/author-pkg/Galtman01/BalisageVol17-Galtman01.html Materials] and [httphttps://www.balisage.net/Proceedings/vol17/html/Galtman01/BalisageVol17-Galtman01.html paper] from Amanda Galtman, Balisage 2016.
* [[DBA]]: The Database Administration interface, bundled with the full distributions of BaseX.
=Changelog=
 
;Version 9.6
* Updated: [[#Response|Response]]: {{Code|Server-Timing}} HTTP header.
 
;Version 9.5
* Updated: [[#Raise Errors|Raise Errors]]: Status code {{Code|400}} changed to {{Code|500}}, omit stack trace.
 
;Version 9.3
* Updated: [[#Custom Methods|Custom Methods]]: Better support for the OPTIONS and HEAD methods.
* Updated: [[#Catch XQuery Errors|XQuery Errors]]: Suppress stack trace and error code in the HTTP response.
* Removed: {{Code|rest:redirect}} element ({{Function|Web|web:redirect}} can be used instead)
;Version 9.2
 
* Updated: Ignore XQuery modules that cannot be parsed
;Version 9.0
 
* Added: Support for server-side quality factors in the [[#Content Negotiation|<code>%rest:produces</code>]] annotation
* Updated: Status code {{Code|410}} was replaced with {{Code|460}}
;Version 8.4
 
* Added: <code>%rest:single</code> annotation
;Version 8.1
 
* Added: support for input-specific content-type parameters
* Added: <code>%input</code> annotations
;Version 8.0
 
* Added: Support for regular expresssions in the [[#Paths|Path Annotation]]
* Added: Evaluation of quality factors that are supplied in the [[#Content Negotiation|Accept header]]
;Version 7.9
 * Updated: [[#Catch XQuery Errors|XQuery Errors]], extended error annotations
* Added: {{Code|%rest:method}}
;Version 7.7
 
* Added: [[#Error Handling|Error Handling]], [[#File Uploads|File Uploads]], [[#Multipart Types|Multipart Types]]
* Updated: RESTXQ function may now also be specified in main modules (suffix: {{Code|*.xq}}).
* Updated: the RESTXQ prefix has been changed from {{Code|restxq}} to {{Code|rest}}.
* Updated: parameters are implicitly cast to the type of the function argument
* Updated: the RESTXQ root url has been changed to {{Code|http://localhost:89848080/}}
;Version 7.5
 
* Added: new XML elements {{Code|<rest:redirect/>}} and {{Code|<rest:forward/>}}
Bureaucrats, editor, reviewer, Administrators
13,550

edits

Navigation menu