Skip to content

XTQL Queries

Note
For specific details of how to submit XTQL queries, see the documentation for your individual client library.

XTQL queries consist of composable operators, optionally combined with a pipeline.

Operators

  • Source operators are valid at the start of a pipeline, or in isolation.

  • Tail operators transform data in a pipeline - they aren’t valid as the first operator, because they don’t source data, but can appear anywhere else in the pipeline.

A pipeline consists of a source operator, and optionally many tail operators:

JSON
[
  { "from": ... }    // source
  { "orderBy": ... } // tail
  { "limit": ... }   // tail
]
Clojure
(-> (from ...)     ; source
    (order-by ...) ; tail
    (limit ...)    ; tail
    )

;; unlike in Clojure, XTQL's `->` isn't a threading macro
;; - just the symbol for a pipeline of operations.

Pipelines are optional - queries with just a source operator (i.e. no tails) can be submitted simply as:

JSON
{ "from": ... }
Clojure
(from ...)

Source operators

Operator Purpose

From

Sources data from a table in XTDB

Rel [ation]

Sources data from the user-specified relation

Unify

Combines multiple input sources using Datalog-style unification

Tail operators

Operator Purpose

Aggregate

Groups the relation rows by the given aggregate-specs

Limit

Only returns the top N rows of the relation

Offset

Skips the first N rows of the relation

Order by

Orders the relation by the given columns

Return

Restricts the output to the given columns

Where

Filters the relation using the given predicates

With

Adds columns to the relation

Without

Removes columns from the relation

Unnest

Flattens an array within a column into individual rows

Unify clauses

Joins in XTQL are specified using the 'unify' operator - this combines multiple input relations using Datalog-style unification. This allows for very declarative yet terse method of specifying join conditions; how relations relate to each other.

'Unify clauses' are inputs to the unify operator. They are a selection of source and tail operators with a few extra operators that are only valid in unification.

Clause Purpose

From

Sources data from a table in XTDB

Join

Further constrains the unification using the given query

Left Join

Optionally joins the unification against the given query

Rel [ation]

Sources data from the user-specified relation

Unnest

Flattens an array within a column into individual rows

Where

Filters the rows using the given predicates

With

Defines new logical variables in the unification

Aggregate

The 'aggregate' operator aggregates rows in a query according to a list of aggregate specs. An aggregate spec is either a grouping variable/column or (new) column plus and expression.

The available aggregate functions are documented here.

JSON
[
  {
    "unify": [
      {
        "from": "customers",
        "bind": [
          { "xt$id": { "xt:lvar": "customerId" } },
          { "name": {"xt:lvar": "customerName" } }
        ]
      },
      {
        "from": "orders",
        "bind": [
         { "customerId": { "xt:lvar": "customerId" } },
         { "orderValue": { "xt:lvar": "orderValue" } }
        ]
      }
    ]
  },
  {
    "aggregate": [
      "customerId",
      "customerName",
      { "orderCount": { "xt:call": "rowCount", "args": [] } },
      { "totalValue": { "xt:call": "sum", "args": [ { "xt:lvar": "orderValue" } ] } }
    ]
  }
]
Clojure
Aggregate :: (aggregate AggSpec*)

AggSpec :: GroupingVar | {Column Expr, ...}

GroupingVar :: symbol
Column :: keyword

Expr :: <defined separately>
(-> (unify (from :customers [{:xt/id customer-id, :name customer-name}])
           (from :orders [customer-id order-value]))
    (aggregate customer-id customer-name
               {:order-count (row-count)
                :total-value (sum order-value)}))

From

The 'from' operator sources data from a table in XTDB - it expects the table to fetch from, as well as options that define what columns to return, and optionally any temporal filters to apply.

The binding specs define which columns are retrieved from the table, and specify constraints on those columns. For more details, see the binding specs section.

For example:

JSON
//`SELECT username, first_name, last_name FROM users`
{
  "from": "users",
  "bind": [ "username", "first-name", "last-name" ]
}
// `SELECT username AS login, first_name, last_name FROM users`
{
  "from": "users",
  "bind": [ { "username": { "xt:lvar": "login" } }, "first-name", "last-name" ]
}
// `SELECT first_name, last_name FROM users WHERE username = 'james'`
{
  "from": "users",
  "bind": [ { "username": "james" }, "first-name", "last-name" ]
}
// `SELECT first_name, last_name FROM users WHERE username = ?`
{
  "from": "users",
  "bind": [ { "username": { "xt:param": "$username" } }, "first-name", "last-name" ]
}
Clojure
From :: (from Table FromOpts)
Table :: keyword

FromOpts :: [BindSpec+]
            | {; required
               :bind [BindSpec+]

               ; optional
               :for-valid-time TemporalFilter
               :for-system-time TemporalFilter}
;; `SELECT username, first_name, last_name FROM users`
(from :users [username first-name last-name])

;; `SELECT username AS login, first_name, last_name FROM users`
(from :users [{:username login} first-name last-name])

;; `SELECT first_name, last_name FROM users WHERE username = 'james'`
(from :users [{:username "james"} first-name last-name])

;; `SELECT first_name, last_name FROM users WHERE username = ?`
(from :users [{:username $username} first-name last-name])

Additionally, 'from' supports a special column reference - projectAllCols in JSON and the * symbol in Clojure. Like in SQL, this can be used to specify that all columns of a given table are to be projected out.

JSON
// `SELECT * FROM users`
{
  "from": "users",
  "projectAllCols": true
}
// `SELECT *, username AS login FROM users`
{
  "from": "users",
  "bind": [ { "username": { "xt:lvar": "login" } } ],
  "projectAllCols": true
}
Clojure
;; `SELECT * FROM users`
(from :users [*])

;; `SELECT *, username AS login FROM users`
(from :users [* {:username login}])
Warning

Note that, due to the implicit unification properties of 'from' outlined in the binding specs section, explicitly projected columns will unify with those projected out as a result of projectAllCols/*.

It is due to this property of implicit unification and projection that projectAllCols/* as a column reference in 'from' is not supported within a unification context.

JSON
{
  "unify": [
    {
      "from": "users",
      "projectAllCols": true
    },
    {
      "from": "customers",
      "projectAllCols": true
    }
  ]
}
Clojure
;; INVALID
(unify (from :users [*])
       (from :customers [*]))

Temporal filters

Temporal filters control the document versions that are visible to the query.

  • at <timestamp>: rows that were/will be visible at the specified timestamp - i.e. row-from <= timestamp < row-to

  • from <timestamp>: rows that have been visible any time after the timestamp - i.e. row-to > timestamp

  • to <timestamp>: rows that were visible any time before the timestamp - i.e. row-from < timestamp

  • in <from-timestamp> <to-timestamp>: rows that were visible any time within the period - i.e. row-to > <from-timestamp> && row-from < <to-timestamp>

  • all-time: all rows, throughout history.

Unless otherwise specified, queries will see the current version of the row, at <now>, in both valid time and system time.

JSON
{
  "from": "users",
  "bind": [ { "xt$id" : { "xt:lvar": "user"} } ],
  "forValidTime": {
    "in": [
      { "@type": "xt:instant", "@value": "2020-01-01T00:00:00Z" },
      { "@type": "xt:instant", "@value": "2021-01-01T00:00:00Z" }
    ]
  },
  "forSystemTime": { "at": { "@type": "xt:instant", "@value": "2023-01-01T00:00:00Z" } }
}
Clojure
TemporalFilter :: (at Timestamp)
                | (from Timestamp)
                | (to Timestamp)
                | (in Timestamp Timestamp)
                | :all-time

Timestamp :: java.util.Date | java.time.Instant | java.time.ZonedDateTime
(from :users {:bind [...]
              :for-valid-time (in #inst "2020-01-01" #inst "2021-01-01")
              :for-system-time (at #inst "2023-01-01")})

Without any temporal filters, it is valid to just specify the binding specs without a map.

Joins - join, left join

The 'join' and 'left join' unify clauses further constrain a unification by joining against the given query.

We join the inner query to the rest of the unify inputs using the binding specs - see the binding specs section for more details. These binding specs act as both 'join conditions' (if the logic variables are reused within the unify operator) and a specification of which columns from the sub-query should be returned from the outer query.

  • The 'join' operator performs an inner, or required, join with the sub-query - if a row from the outer query doesn’t match, it won’t be returned

  • The 'left-join' operator performs an outer, or optional, join with the sub-query - if a row from the outer query matches, it’ll be returned; if it doesn’t, it will still be returned, but with null values in the sub-query columns.

Parameters in the sub-query can be fulfilled with the :args option - see the argument specs section for more details.

JSON
{
  "unify": [
    {
      "from": "customers",
      "bind": [ { "xt$id": { "xt:lvar": "customerId" } }, "customerName" ]
    },
    {
      "leftJoin": {
        "from": "orders",
        "bind": [{ "xt$id": { "xt:lvar": "orderId"}}, "customerId", "orderValue" ]
      },
      "bind": [ "customerId", "orderId", "orderValue" ]
    }
  ]
}
Clojure
Join :: (join Query JoinOpts)
LeftJoin :: (left-join Query JoinOpts)

JoinOpts :: [BindSpec+]
          | {; required
             :bind [BindSpec+]

             ; optional
             :args [ArgSpec+]}
(unify (from :customers [{:xt/id customer-id} customer-name]
       (left-join (from :orders [{:xt/id order-id}, customer-id, order-value])
                  [customer-id order-id order-value])))

In this case, customer-id is specified multiple times, so this adds a join-condition constraint; order-id and order-value are not specified elsewhere within the unify, so these columns are simply returned.

Limit

The 'limit' operator limits the rows returned by the query. Without an explicit preceding order by, the rows selected for return are undefined.

JSON
[
  {
    "from": "users",
    "bind": [ "username" ]
  },
  { "orderBy": ["username"] },
  { "limit": 10 }
]
Clojure
Limit :: (limit LimitN)
LimitN :: non-negative integer
(-> (from :users [username])
    (order-by username)
    (limit 10))

Offset

The 'offset' operator skips the first N rows that would have otherwise been returned by the query. Without an explicit preceding order by, the rows selected for return are undefined.

For example:

JSON
[
  {
    "from": "users",
    "bind": ["username"]
  },
  { "orderBy": ["username"] },
  { "offset": 10 },
  { "limit": 10 }
]
Clojure
Offset :: (offset OffsetN)
OffsetN :: non-negative integer
(-> (from :users [username])
    (order-by username)
    (offset 10)
    (limit 10))

Order by

The 'order by' operator sorts the rows in a relation. It takes a collection of order specs. An order spec is either a simple column to sort by (default descending) or a composite object of an expression to sort by, a direction and a default null ordering. When multiple order spec are supplied priority is given from left to right.

JSON
[
  {
    "from": "orders",
    "bind": [ "orderValue", "receivedAt" ]
  },
  {
    "orderBy": [
      { "val": { "xt:lvar": "orderValue" }, "dir": "desc", "nulls": "last" },
      "received-at"
    ]
  }
]
Clojure
OrderBy :: (order-by OrderSpec+)
OrderSpec :: OrderCol
           | {; required
              :val Expr

              ; optional
              :dir Direction
              :nulls NullOrdering}

OrderCol :: symbol
Direction :: :asc | :desc
NullOrdering :: :first | :last
Expr :: <defined separately>
;; sort by order-value descending, with nulls returned last,
;; then received-at ascending
(-> (from :orders [order-value received-at])
    (order-by {:val order-value, :dir :desc, :nulls :last}
              received-at))

Return

The 'return' operator specifies the columns to return from the query. It also allows additional projections, should you want to return a new column based on existing columns.

If you want to introduce a projected column while keeping the existing columns see the with operator.

JSON
[
  {
    "from": "users",
    "bind": [ "username", "firstName", "lastName" ]
  },
  {
    "return": [
      "username",
      {
        "full-name": {
          "xt:call": "concat",
          "args": [ { "xt:lvar": "lastName" }, ", ", { "xt:lvar": "firstName" } ]
        }
      }
    ]
  }
]
Clojure
Return :: (return ReturnSpec*)
ReturnSpec :: ReturnVar | {Column Expr, ...}
ReturnVar :: symbol
Column :: keyword
Expr :: <defined separately>
(-> (from :users [username first-name last-name])
    (return username {:full-name (concat last-name ", " first-name)}))

;; =>

[{:username "...", :full-name "..."}
 ...]

Rel(ation)

The 'rel' operator creates an inline relation with the provided values. The first argument is an array of maps, either as a literal, a parameter, or a value nested within another document. The 'rel' operator yields each element as a row, with the values in the map bound/constrained as required.

  • To unwrap an array of values rather than an array of maps, with a variable bound to each row instead, see unnest.

JSON
// as a literal
{
  "rel": [ {"a": 1, "b": 2 }, { "a": 3, "b": 4 } ],
  "bind": [ "a", "b" ]
}

// from a parameter
{
  "query" : {
    "rel": { "xt:param": "$t" },
    "bind": [ "a", "b" ]
  }
 "queryOpts": { "args": { "t": [ { "a": 1, "b": 2 }, { "a": 3, "b": 4 } ] } }
}
Clojure
Rel :: (rel RelExpr [BindSpec+])
RelExpr :: Expr

Expr :: <defined separately>
;; as a literal
(rel [{:a 1, :b 2}, {:a 3, :b 4}] [a b])

;; from a parameter
(xt/q node '(rel $t [a b])
      {:args {:t [{:a 1, :b 2}, {:a 3, :b 4}]}})

;; from a value in another document
;; assume we have a document {:xt/id <id>, :my-nested-rel [{:a 1, :b 2}, ...]}
(-> (from :docs [my-nested-rel])
    (rel my-nested-rel [a b]))

;; same, but within a `unify`
(unify (from :docs [my-nested-rel])
       (rel my-nested-rel [a b]))

Unify

The 'unify' operator combines multiple input relations using Datalog-style unification (explained below), to achieve join-like behaviour.

Each input relation defines a set of 'logic variables' in its binding specs - if a logic variable appears more than once within a single unify operator, the results are constrained such that the logic variable has the same value everywhere it’s used. This has the effect of imposing 'join conditions' over the inputs.

JSON
{
  "unify": [
    {
      "from": "customers",
      "bind": [ { "xt$id": { "xt:lvar": "customerId" } }, "customerName" ]
    },
    {
      "from": "orders",
      "bind": [ { "xt$id": { "xt:lvar": "orderId" } }, "customerId", "orderValue" ]
    }
  ]
}
Clojure
Unify :: (unify UnifyClause+)
UnifyClause :: From | Join | LeftJoin | Rel | Where | With
(unify (from :customers [{:xt/id customer-id} customer-name])
       (from :orders [{:xt/id order-id} customer-id order-value]))

Because this query uses the customer-id logic variable twice, we add a constraint that the two occurrences must be equal - it’s therefore equivalent to the following SQL:

SELECT c.xt$id AS customer_id, customer_name,
       o.xt$id AS order_id, o.order_value
FROM customers c
  JOIN orders o ON (c.xt$id = o.customer_id)
  • In rel and from clauses any logic variables specified in its binding specs are unified.

  • Join and left join clauses work in a similar way to from, except they execute a full sub-query (e.g. another pipeline) rather than reading a single table. Any logic variables specified in their binding specs are unified in the same way.

  • Where clauses further constrain the results using predicates - these have access to any logic variable bound in the containing unify operator.

  • With clauses within unify may define additional logic variables or, if these logic variables are used elsewhere, the value of the with result must agree with the value elsewhere in the unify.

  • The unify operator returns a relation containing a column for every logic variable bound in any of its clauses.

Unnest

The 'unnest' operator extracts values from an array - returning one row for each element. The other columns in the query are duplicated for each row.

  • To unwrap an array of maps (a relation) rather than an array of values, with a variable bound to each map-key instead, see rel.

  • If the value in question isn’t an array, or the array is empty, the row is filtered out.

JSON
// as a 'tail' operator - N.B. `tag` is a column being added
[
  {
    "from": "posts",
    "bind": [ { "xt$id": { "xt:lvar": "postId" } }, "tags" ]
  },
  { "unnest": { "tag": { "xt:lvar": "tags" } } }
]

// in `unify` - N.B. `tag` is a logic var being introduced
{
  "unify": [
    {
      "from": "posts",
      "bind": [ { "xt$id": { "xt:lvar": "postId" } }, "tags" ]
    },
    { "unnest": { "tag": { "xt:lvar": "tags" } } }
  ]
}
Clojure
Unnest :: (unnest UnnestSpec)

; as a tail operator
UnnestSpec :: {Column Expr}
Column :: keyword

; in `unify`
UnnestSpec :: {LogicVar Expr}
LogicVar :: symbol

Expr :: <defined separately>
;; as a 'tail' operator - N.B. `:tag` is a column being added
(-> (from :posts [{:xt/id post-id} tags])
    (unnest {:tag tags}))

;; in `unify` - N.B. `tag` is a logic var being introduced
(unify (from :posts [{:xt/id post-id} tags])
       (unnest {tag tags}))

;; =>

[{:post-id 1, :tag "sport"}
 {:post-id 1, :tag "formula-1"}
 {:post-id 2, :tag "health"}
 {:post-id 4, :tag "technology"}
 {:post-id 4, :tag "ai"}
 {:post-id 4, :tag "politics"}]

Where

The 'where' operator filters rows in a query or unification operator. It expects (optionally) many predicates - rows that match all of the predicates will be returned; rows that fail to match one or more will be filtered out.

  • Like all other XTQL expressions, where respects 'three-valued logic' - if an expression returns either false or null, the row will be filtered out.

  • where is short-circuiting - if an earlier predicate doesn’t return true for a row, the remaining predicates won’t be evaluated.

JSON
// as a 'tail' operator
[
  {
    "from": "users",
    "bind": [ "username", "dateOfBirth" ]
  },
  {
    "where": [
      {
        "xt:call": ">",
        "args": [
          { "xt:call": "currentTimestamp" },
          {
            "xt:call": "+",
            "args": [
              { "xt:lvar": "dateOfBirth" },
              { "@type": "xt:period", "@value": "P18Y" }
            ]
          }
        ]
      }
    ]
  }
]

// in `unify`
{
  "unify": [
    {
      "from": "customers",
      "bind": [ { "xt$id": { "xt:lvar": "customerId" } }, "customerName", "vip?" ]
    },
    {
      "from": "orders",
      "bind": [ { "xt/id": { "xt:lvar": "orderId" } }, "customerId", "orderValue" ]
    },
    {
      "where": [
        {
          "xt:call": "or",
          "args": [
            { "xt:lvar": "vip?" },
            {
              "xt:call": ">",
              "args": [ { "xt:lvar": "orderValue" }, 1000000 ]
            }
          ]
        }
      ]
    }
  ]
}
Clojure
Where :: (where Expr*)

Expr :: <defined separately>
;; as a 'tail' operator
(-> (from :users [username date-of-birth])
    (where (> (current-timestamp)
              (+ date-of-birth #time/period "P18Y"))))

;; in `unify`
(unify (from :customers [{:xt/id customer-id} customer-name vip?])
       (from :orders [{:xt/id order-id} customer-id order-value])
       (where (or vip? (> order-value 1000000))))

With

The 'with' operator specifies columns to add to the query. It takes a collection of with specs. A with spec takes a column name (in the pipeline context) or a logic var (in the unify context) and an expression to bind that column/logic var to.

JSON
// as a 'tail' operator - N.B. `fullName` is a column here
[
  {
    "from": "users",
    "bind": [ "username", "firstName", "lastName" ]
  },
  {
    "with": [
      {
        "fullName": {
          "xt:call": "concat",
          "args": [ { "xt:lvar": "lastName" }, ", ", { "xt:lvar": "firstName" } ]
        }
      }
    ]
  }
]
// in 'unify' - N.B. `fullName` is a logic variable here
{
  "unify": [
    {
      "from": "users",
      "bind": [ "username", "firstName", "lastName" ]
    },
    {
      "with": [
        {
          "fullName": {
            "xt:call": "concat",
            "args": [ { "xt:lvar": "lastName" }, ", ", { "xt:lvar": "firstName" } ]
          }
        }
      ]
    }
  ]
}
Clojure
With :: (with WithSpec*)

; as a tail operator
WithSpec :: WithVar | {Column Expr, ...}

; in `unify`
WithSpec :: WithVar | {LogicVar Expr, ...}

WithVar :: symbol
Column :: keyword
LogicVar :: symbol

Expr :: <defined separately>
;; as a 'tail' operator - N.B. `:full-name` is a column here
(-> (from :users [username first-name last-name])
    (with {:full-name (concat last-name ", " first-name)}))

;; in 'unify' - N.B. `full-name` is a logic variable here
(unify (from :users [username first-name last-name])
       (with {full-name (concat last-name ", " first-name)}))

;; =>

[{:username "...", :first-name "...", :last-name "...", :full-name "..."}
 ...]

Without

The 'without' operator removes columns from the ongoing query:

For example, in this query, we only want the customer-id to join on - we don’t want it returned - so we exclude it in a without operator.

JSON
[
  {
    "unify": [
      {
        "from": "customers",
        "bind": [ { "xt$id": { "xt:lvar": "customerId" } }, "customerName" ]
      },
      {
        "from": "orders",
        "bind": [ "customerId", "orderValue" ]
      }
    ]
  },
  { "without": [ "customerId" ] }
]
Clojure
Without :: (without Column*)
Column :: keyword
(-> (unify (from :customers [{:xt/id customer-id}, customer-name])
           (from :orders [customer-id order-value]))
    (without :customer-id))

Expressions

XTQL expressions are valid within predicates, projections, bindings and arguments.

  • Call expressions can use functions from the XTDB standard library.

  • Variable expressions can refer to any variable in scope - within a unify clause, any logic variable; within any other operator, any column returned in the previous step.

Subqueries

  • Subquery expressions must return a single row containing a single column - otherwise, a runtime exception will be thrown.

  • 'Exists' expressions will return false if the subquery returns no rows; true otherwise.

  • 'Pull' expressions must return a single row - otherwise, a runtime exception will be thrown. The columns in the returned row will be nested into a map in the outer expression.

  • 'Pull many' expressions may return any number of rows. The rows will be nested into an array of maps in the outer expression.

  • The arguments to sub-queries are referred to as parameters in the inner query; no other variables from the outer scope are available in the inner query.

JSON

The following example retrieves a post together with their author and comments:

[
  {
    "from": "posts",
    "bind": [ { "xt$id": { "xt:param": "$postId" } }, "authorId" ]
  },
  {
    "with": [
      {
        "author": {
          "xt:pull": {
            "from": "authors",
            "bind": [ { "xt$id": { "xt:param": "$authorId" } }, "firstName", "lastName" ]
          },
          "args": [ "authorId" ]
        }
      },
      {
        "comments": {
          "xt:pullMany": [
            {
              "from": "comments",
              "bind": [ { "postId": { "xt:param": "$postId" } }, "comment", "postedAt" ]
            },
            { "orderBy": [ "postedAt" ] },
            { "limit": 2 },
            { "return": [ "comment" ] }
          ],
          "args": [ { "postId": { "xt:param": "$postId" } } ]
        }
      }
    ]
  },
  { "return": [ "postContent", "authot", "comments" ] }
]
Clojure
  • In Clojure parameter symbols must be prefixed by a $; other variables must not start with a $.

Expr :: number | "string" | true | false | nil | ObjectExpr
      | SetExpr | [Expr*] | {MapKey Expr, ...}
      | ParamExpr | VariableExpr
      | GetFieldExpr | CallExpr
      | SubqueryExpr | ExistsExpr | PullExpr | PullManyExpr

ObjectExpr :: java.time.Temporal | java.time.TemporalAmount

SetExpr :: #{Expr*}
VectorExpr :: [Expr*]
MapExpr :: {MapKey Expr, ...}
MapKey :: keyword

ParamExpr :: '$' symbol
VariableExpr :: symbol
GetFieldExpr :: (. Expr symbol)
CallExpr :: (symbol Expr*)

SubQueryExpr :: (q Query
                   {; optional
                    :args ArgSpec})

ExistsExpr :: (exists Query
                      {; optional
                       :args ArgSpec})

PullExpr :: (pull Query
                  {; optional
                   :args ArgSpec})

PullManyExpr :: (pull* Query
                       {; optional
                        :args ArgSpec})

The following example retrieves a post together with their author and comments:

(-> (from :posts [{:xt/id $post-id} post-content author-id])
    (with {:author (pull (from :authors [{:xt/id $author-id} first-name last-name])
                         {:args [author-id]})

           :comments (pull* (-> (from :comments [{:post-id $post-id} comment posted-at])
                                (order-by posted-at)
                                (limit 2)
                                (return comment))
                            {:args [{:post-id $post-id}]})})

    (return post-content author comments))

;; =>

{:post-content "..."
 :author {:name "..."}
 :comments [{:comment "..."}, {:comment "..."}]}

Binding specs

Binding specs define which columns are retrieved from a relation, and specify constraints on those columns.

JSON
  • We can retrieve columns by listing them. The simple (unnested) string type has the meaning of a logic var/column name in this case.

    {
      "from": "users",
      "bind": [ "username", "firstName", "lastName" ]
    }
    // i.e. `SELECT username, first_name, last_name FROM users`
  • We can rename columns by specifying a mapping. Notice how we need to specify the logic var type explicitly in this case.

    {
      "from": "users",
      "bind": [ { "username": {"xt:lvar": "login" } } , "firstName", "lastName"]
    }
    // i.e. `SELECT username AS login, first_name, last_name FROM users`
  • We can constrain rows by specifying literals or parameters.

    {
      "from": "users",
      "bind": [ { "username": "james" } , "firstName", "lastName" ]
    }
    // i.e. `SELECT first_name, last_name FROM users WHERE username = 'james'`
    
    {
      "from": "users",
      "bind": [ { "username": { "xt:param": "$username" } } , "firstName", "lastName" ]
    }
    // i.e. `SELECT first_name, last_name FROM users WHERE username = ?`

    The first is an example of where we match username against a string literal.

Clojure
BindSpec :: BindVariable | {BindColumn Expr, ...}
BindVariable :: symbol
BindColumn :: keyword
Expr :: <defined separately>
  • We can retrieve columns by listing them:

    (from :users [username first-name last-name])
    
    ;; i.e. `SELECT username, first_name, last_name FROM users`
  • We can rename columns by specifying a mapping:

    (from :users [{:username login} first-name last-name])
    
    ;; i.e. `SELECT username AS login, first_name, last_name FROM users`
  • We can constrain rows by specifying literals or parameters:

    (from :users [{:username "james"} first-name last-name])
    (from :users [{:username $username} first-name last-name])
    
    ;; i.e. `SELECT first_name, last_name FROM users WHERE username = 'james'`
    ;;      `SELECT first_name, last_name FROM users WHERE username = ?`

(In these examples, we use 'from' - but the same applies to 'join' and 'left join'.)

Within unify operators, these output names (first-name, last-name etc.) create 'logic variables' which, if they are re-used within the same unify operator, will add a 'join condition' - see the unify operator for more details.

Argument specs

Argument specs are used to fulfil parameters in a sub-query (exists, pull, pull-many) or join (and left-join).

Where bindings specify how to join the output of the sub-query/join to the outer query, arguments specify the inputs to the sub-query/join from the outer query.

This is commonly used in 'pull' queries and all other Subqueries:

JSON

JSON Argument spec.
Arguments and Bindings share thier schema.

// find the most recent 5 posts and, for each, their most recent 3 comments

// in this query, the `postId` argument fulfils the `$postId` parameter in the sub-query
[
  {
    "from": "posts",
    "bind": [ {"xt$id": {"xt:lvar": "postId"}} ... ]
  },
  {
    "with": [
      {
        "comments": {
          "xt:pullMany": [
            {
              "from": "comments",
              "bind": [ { "postId": { "xt:param": "$postId" } }, "comment", "commentedAt" ]
            },
            { "limit": 3 }
          ],
          "args": [ "postId" ]
        }
      }
    ]
  }
]
Clojure
ArgSpec :: ArgVariable | {Parameter Expr, ...}
ArgVariable :: symbol
Parameter :: keyword
Expr :: <defined separately>
;; find the most recent 5 posts and, for each, their most recent 3 comments

;; in this query, the `post-id` argument fulfils the `$post-id` parameter in the sub-query
(-> (from :posts [{:xt/id post-id} ...])
    (with {:comments (pull* (-> (from :comments [{:post-id $post-id} comment commented-at])
                                (limit 3))
                            {:args [post-id]})}))

As well as 'pull', this is quite commonly used in left joins, because we don’t want to filter out rows that don’t match (which would happen if the <> here was in the outer unify).

Instead, we want to preserve them, albeit without values for the columns in the right-hand side of the left-join.

JSON
// find everybody and, for those who have them, their siblings

// in this query, the `person` argument fulfils the `$person` parameter in the sub-query;
// `sibling` and `parent` (in `bind`) are joined on the way out.
[
  {
    "unify": [
      {
        "from": "people",
        "bind": [ { "xt$id": {"xt:lvar": "person"}}, "parent" ]
      },
      {
        "leftJoin": [
          {
            "from": "people",
            "bind": [ { "xt$id": { "xt:lvar": "sibling" } }, "parent" ]
          },
          {
            "where": [
              {
                "xt:call": "<>",
                "args": [ { "xt:param": "$person" }, { "xt:lvar": "sibling" } ]
              }
            ]
          }
        ],
        "args": [ "person" ],
        "bind": [ "sibling", "parent" ]
      }
    ]
  },
  { "return": [ "person", "sibling" ] }
]
Clojure
;; find everybody and, for those who have them, their siblings

;; in this query, the `person` argument fulfils the `$person` parameter in the sub-query;
;; `sibling` and `parent` (in `bind`) are joined on the way out.

(-> (unify (from :people [{:xt/id person, :parent parent}])
           (left-join (-> (from :people [{:xt/id sibling, :parent parent}])
                          (where (<> $person sibling)))
                      {:args [person]
                       :bind [sibling parent]}))
    (return person sibling))

Query options

XTQL query options are an optional map of the following keys:

N.B.: options here are specified with camelCase - depending on your client library, these may be snake_case or kebab-case.

afterTx

requires that the node has indexed at least the specified transaction.

  • If not provided, XTDB clients will default it to the latest transaction submitted through that client. This is so that, by default, transactions submitted to a client are guaranteed to be visible to any later query to that same client.

  • If submitting transactions and queries to different clients (e.g. via a non-sticky load-balancer), it is the user’s responsibility to pass the transaction token returned from submitTx as the afterTx for subsequent queries to guarantee this same read-after-write consistency level.

  • If the requested transaction hasn’t been indexed, the XTDB client will wait (see txTimeout) before evaluating the query.

args

a map of arguments to pass to the query. Parameters are prefixed with $ in the query itself:

Clojure
(xt/q node '(from :users [{:username $username}])
      {:args {:username "james"}})
basis

a map specifying the 'basis' of the query.

This allows for truly immutable, repeatable database snapshots - two queries run with the same basis will see exactly the same version of the whole database, regardless of any other transactions that have occurred in the meantime.

If the requested transaction hasn’t been indexed, the XTDB client will wait (see txTimeout) before evaluating the query.

  • atTx (overrides afterTx): specifies the exact latest transaction that’ll be visible to the query.

    • If not provided, this will default to the latest available transaction on the node.

  • currentTime overrides the wall-clock time used in any functions that require it.

    • If not provided, defaults to the current wall-clock time of the executing node

    • In addition, when reading from tables, unless specified explicitly for an individual table, XTDB will also use this time as the valid-time to read the table at.

defaultTz

(defaults to JVM timezone on the executing node): the default timezone to use in functions that require it.

explain (Clojure: :explain?)

rather than returning results, setting this flag to true returns the query plan for the query (default false).

keyFn

specifies how keys are returned in query results.

  • clojure (default): kebab-case, dot-namespaced keywords (e.g. :foo.bar/baz-quux)

txTimeout

duration to wait for the requested transactions (atTx, afterTx) to be indexed before timing out (default unlimited).