Meow Wolf Hasura API Documentation

Meow Wolf is leveraging Hasura for a single graphQL endpoint for our websites and apps. This documentation is a work in progress, we will have status tags for each Schema accessible in the API.

API Endpoints
# Development:
https://graphql.meowwolf.org/v1/graphql
# Sandbox:
https://mw-wormhole-sandbox.hasura.app/v1/graphql

Status Updates

This section correlates this documentation with the implementation status in Hasura using the following scale:

  • Scoping: Requirements are being gathered and work is being assessed.
  • In Queue: Work scheduled.
  • Schema: Schema defined and available but no data
  • Development: Development ecosystem data available
  • Production: Production ecosystem data available

As of 2023-02-17, features had the following statuses:

  • Authentication: Development
  • Authorization: Development
  • Profile information: Development
  • Reservations and events: Schema but Development very close
  • Orders and products: Schema but Development very close
  • Content: Schema
  • User state: Scoping
  • Messages: Scoping

Authentication

This API uses JWT authentication.

JWTs can be obtained through your Auth0 application.

Application credentials provided upon request.

You must provide both the clientId and audience when authenticating with Auth0. If you omit the audience Auth0 will return a JWT with an empty payload!

Authentication headers require the following format

Authorization: Bearer <YOUR-JWT-TOKEN>

Permissions

For general users with the person role, queries to most tables will only return data if it is related to the logged in user's personId.

This means you don't have to add conditions to your queries restricting them to your user's Id.

You'll still want to use the _by_pk queries when looking up an individual object. But if you're getting all Reservations for your user, you don't need a where clause specifying the user Id.

Intro to Queries

In GraphQL, a query is a request to a server to retrieve data. Queries are written in the GraphQL query language, which is similar to JSON.

The server response to a GraphQL query contains only the data specified in the query. This allows the client to retrieve only the data it needs, reducing the amount of data sent over the network.

Basic Query

query GetAllPeople {
  Person {
    email
    familyName
    givenName
  }
}

The GraphQL query is fetching data from the "Person" type in the GraphQL server and requesting the "email," "familyName," and "givenName" fields. The query is named "GetAllPeople". The response from the server will contain a list of all people and the values for the specified fields.

Response

{
  "data": {
    "Person": [
      {
        "email": "[email protected]",
        "familyName": "Doe",
        "givenName": "John"
      },
      {
        "email": "[email protected]",
        "familyName": "Smith",
        "givenName": "Jane"
      }
    ]
  }
}

Query Variables

In GraphQL, variables allow you to pass dynamic values to a query or mutation. Instead of hardcoding values directly in the query, you can define variables in your client and then pass those variables as arguments in the query. Variables are defined with a $ symbol in the query and are passed as an additional argument to the query, separate from the actual query.

For example, instead of hardcoding the values in the following query, you could use variables as demonstrated:

Query

query GetPersonByIdentifier(
  $valueReference: String!, $name: String!, $value: String!) {
    Person(where: {
        identifier: {
            valueReference: { _eq: $valueReference }, 
            value: { _eq: $value }, 
            name: { _eq: $name }
        }
    }
    ) {
        familyName
        givenName
        id
        honorificPrefix
        honorificSuffix
        telephone
        email
    }
}

And then you can pass the actual values as variables in your client:

{
  "valueReference": "AnExternalSystem", 
  "name": "user_identifier", 
  "value": "testing123"
}

Response

{
  "data": {
    "Person": [
      {
        "familyName": "User",
        "givenName": "Test",
        "id": "bfcbfbf6-5f76-4258-9bbf-fd358aff6e3f",
        "honorificPrefix": null,
        "honorificSuffix": null,
        "telephone": null,
        "email": "[email protected]"
      }
    ]
  }
}

Using variables in this way can make your queries more flexible and reusable, as you can pass different values to the same query without having to modify the query text. It can also help to prevent security issues such as SQL injection by ensuring that user-supplied data is always passed as a variable and never directly included in the query.

Specific Examples

A Person and Their Reservations (Visits)

Starting from a PersonIdentifier

Query

query GetPersonByIdentifier(
  $valueReference: String!, 
  $name: String!, 
  $value: String!) 
  {
    Person(where: {
      identifier: {
        valueReference: {_eq: $valueReference}, 
        value: {_eq: $value}, 
        name: {_eq: $name}}
    }) {
    familyName
    givenName
    id
    honorificPrefix
    honorificSuffix
    telephone
    email
    reservation {
      bookingTime
      reservationFor {
        doorTime
        startDate
        endDate
        eventStatus {
          name
        }
        superEvent {
          id
          eventStatus {
            name
          }
          location {
            id
            name
          }
        }
      }
    }
  }
}

Variable Values

{
  "valueReference": "AnExternalSystem", 
  "name": "user_identifier", 
  "value": "testing123"
}

Response

{
  "data": {
    "Person": [
      {
        "familyName": "User",
        "givenName": "Test",
        "id": "bfcbfbf6-5f76-4258-9bbf-fd358aff6e3f",
        "honorificPrefix": null,
        "honorificSuffix": null,
        "telephone": null,
        "email": "[email protected]",
        "reservation": [
          {
            "bookingTime": "2023-01-01T19:31:56",
            "reservationFor": {
              "doorTime": null,
              "startDate": "2023-03-30T17:00:00",
              "endDate": "2023-03-30T17:20:00",
              "eventStatus": {
                "name": "EventScheduled"
              },
              "superEvent": {
                "id": "5d496f59-a1e1-4876-a163-edf7cd52a669",
                "eventStatus": {
                  "name": "EventScheduled"
                },
                "location": {
                  "id": "671fc280-770b-4f4a-a704-e13d88a0ee5b",
                  "name": "Convergence Station"
                }
              }
            }
          }
        ]
      }
    ]
  }
}

Get Orders by Person

Query

query GetPersonByIdentifier(
  $valueReference: String!, $name: String!, $value: String!) {
  Person(where: {
    identifier: {
      valueReference: {_eq: $valueReference},
      value: {_eq: $value}, 
      name: {_eq: $name}
      }
    }
  ) {
    familyName
    givenName
    id
    honorificPrefix
    honorificSuffix
    telephone
    email
    order {
      id
      isGift
      orderedItem {
        orderQuantity
        totalPaymentDue
        product {
          name
        }
      }
      totalPaymentDue
      seller {
        id
        name
      }
    }
  }
}

Variable Values

{
  "valueReference": "AnExternalSystem", 
  "name": "user_identifier", 
  "value": "testing123"
}

Response

{
  "data": {
    "Person": [
      {
        "familyName": "User",
        "givenName": "Test",
        "id": "bfcbfbf6-5f76-4258-9bbf-fd358aff6e3f",
        "honorificPrefix": null,
        "honorificSuffix": null,
        "telephone": null,
        "email": "[email protected]",
        "order": [
          {
            "id": "d68d0a96-1c22-4978-a9fc-28039ebc7c83",
            "isGift": false,
            "orderedItem": [
              {
                "orderQuantity": 2,
                "totalPaymentDue": 50,
                "product": {
                  "name": "GA Ticket"
                }
              }
            ],
            "totalPaymentDue": 50,
            "seller": {
              "id": "5305c9d2-86a7-4624-a095-01f5bcf9ed65",
              "name": "Meow Wolf"
            }
          }
        ]
      }
    ]
  }
}

User Profile Data

User profile data spans multiple tables, but can be quickly accessed through the Person table.

The query below will grab data for the user, their address book, their reservations, and the tickets for each reservation.

Query

query GetUserProfile {
  Person {
    givenName
    familyName
    telephone
    email
    homeLocationId
    address {
      id
      streetAddress
      postalCode
      postOfficeBoxNumber
    }
    reservation {
      bookingTime
      reservedTicket {
        ticketNumber
        ticketToken
      }
    }
  }
}

Response

{
  "data": {
    "Person": [
      {
        "givenName": "George",
        "familyName": "Jetson",
        "telephone": null,
        "email": "[email protected]",
        "homeLocationId": null,
        "address": [
          {
            "id": "343cd5cd-bcac-4982-9922-bcea861b5992",
            "streetAddress": "2062 Skypad Blvd",
            "postalCode": "12345",
            "postOfficeBoxNumber": null
          }
        ],
        "reservation": [
          {
            "bookingTime": "2022-10-17T03:45:33.465812",
            "reservedTicket": [
              {
                "ticketNumber": "1A2s3D4",
                "ticketToken": "a6b5c4d3e2f"
              }
            ]
          }
        ]
      }
    ]
  }
}

User Reservations

If you don't need user details and just want to look up their Reservations, you can query the Reservations table directly. Through this we can also see the tickets assigned to the reservation.

Query

query GetUserReservations {
              Reservation {
                bookingTime
                reservedTicket {
                  ticketNumber
                  ticketToken     
                }
              }
            }
            
            

Response

{
  "data": {
    "Reservation": [
      {
        "bookingTime": "2022-10-17T03:45:33.465812",
        "reservedTicket": [
          {
            "ticketNumber": "1A2s3D4",
            "ticketToken": "a6b5c4d3e2f"
          }
        ]
      }
    ]
  }
}

User Tickets

Maybe you just want to see your user's Tickets

Query

query GetUserTickets {
  Ticket {
    id
    ticketNumber
    ticketToken
    dateIssued
  }
}

Response

{
  "data": {
    "Ticket": [
      {
        "ticketNumber": "1A2s3D4",
        "ticketToken": "a6b5c4d3e2f",
        "dateIssued": "2022-10-17T03:45:33.465812",
      }
    ]
  }
}

Gyre Video Content

These queries are for development only and will change in the future.

Get A Specific Video

query GetMediaById($id: String!) {
  mediaObject(_filter: {id: {_eq: $id}}) {
    id
    name
    contentUrl
  }
}

Response

{
  "data": {
    "mediaObject": [
      {
        "id": "25",
        "name": "\"Abivoriba \"\"The Worm\"\" Miahatz\"",
        "contentUrl": "https://vimeo.com/792757911"
      }
    ]
  }
}

Get All Gyre Videos

query GetMediaByKeyword {
  mediaObject(keyword: "Gyre Peephole") {
    id
    name
    contentUrl
  }
}

Response

{
  "data": {
    "mediaObject": [
      {
        "id": "56",
        "name": "Cecil Baca",
        "contentUrl": "https://vimeo.com/801047594"
      },
      ...
      {
        "id": "66",
        "name": "Omskip Skirkset",
        "contentUrl": "https://vimeo.com/801047002"
      }
    ]
  }
}

Common Fields

Here is an example query returning the most commonly used fields on the MediaObject.

query GetMedia {
  mediaObject {
    id
    name
    description
    contentUrl
    duration
    height
    thumbnail
    width
    size
    isPartOfExhibition {
      id
      name
    }
    isPArtOfAnchor {
      id
      name
    }
    isPartOfNarrativePlace {
      id
      name
    }
    isPartOfNarrativeStory {
      id
      name
    }
    isPartOfProject {
      id
      name
    }
  }
}

Response

{
  "data": {
    "mediaObject": [
      {
        "id": "25",
        "name": "\"Abivoriba \"\"The Worm\"\" Miahatz\"",
        "description": null,
        "contentUrl": "https://vimeo.com/792757911",
        "duration": "600",
        "height": 1080,
        "thumbnail": null,
        "width": 1080,
        "size": "200 MB",
        "isPartOfExhibition": [
          {
            "id": "5",
            "name": "Omega Mart"
          }
        ],
        "isPArtOfAnchor": [
          {
            "id": "5",
            "name": "Factory"
          }
        ],
        "isPartOfNarrativePlace": [
          {
            "id": "60",
            "name": "Gyre Apartment #4765"
          }
        ],
        "isPartOfNarrativeStory": [],
        "isPartOfProject": [
          {
            "id": "5",
            "name": "Alley & Fortune Booth"
          }
        ]
      },
      ...
    ]
  }
}

ActionIdentifier

ActionIdentifier

Description

fetch data from the table: "ActionIdentifier"

Response

Returns [ActionIdentifier!]!

Arguments
Name Description
distinct_on - [ActionIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [ActionIdentifier_order_by!] sort the rows by one or more columns
where - ActionIdentifier_bool_exp filter the rows returned

Example

Query
query ActionIdentifier(
  $distinct_on: [ActionIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [ActionIdentifier_order_by!],
  $where: ActionIdentifier_bool_exp
) {
  ActionIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    actionId
    id
    name
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["actionId"],
  "limit": 123,
  "offset": 987,
  "order_by": [ActionIdentifier_order_by],
  "where": ActionIdentifier_bool_exp
}
Response
{
  "data": {
    "ActionIdentifier": [
      {
        "actionId": uuid,
        "id": uuid,
        "name": "xyz789",
        "value": "xyz789",
        "valueReference": "abc123"
      }
    ]
  }
}

ActionIdentifier_by_pk

Description

fetch data from the table: "ActionIdentifier" using primary key columns

Response

Returns an ActionIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query ActionIdentifier_by_pk($id: uuid!) {
  ActionIdentifier_by_pk(id: $id) {
    actionId
    id
    name
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "ActionIdentifier_by_pk": {
      "actionId": uuid,
      "id": uuid,
      "name": "abc123",
      "value": "abc123",
      "valueReference": "abc123"
    }
  }
}

ActionStatusTypeIdentifier

ActionStatusTypeIdentifier

Description

fetch data from the table: "ActionStatusTypeIdentifier"

Arguments
Name Description
distinct_on - [ActionStatusTypeIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [ActionStatusTypeIdentifier_order_by!] sort the rows by one or more columns
where - ActionStatusTypeIdentifier_bool_exp filter the rows returned

Example

Query
query ActionStatusTypeIdentifier(
  $distinct_on: [ActionStatusTypeIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [ActionStatusTypeIdentifier_order_by!],
  $where: ActionStatusTypeIdentifier_bool_exp
) {
  ActionStatusTypeIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    actionStatusTypeId
    id
    name
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["actionStatusTypeId"],
  "limit": 123,
  "offset": 987,
  "order_by": [ActionStatusTypeIdentifier_order_by],
  "where": ActionStatusTypeIdentifier_bool_exp
}
Response
{
  "data": {
    "ActionStatusTypeIdentifier": [
      {
        "actionStatusTypeId": uuid,
        "id": uuid,
        "name": "xyz789",
        "value": "xyz789",
        "valueReference": "xyz789"
      }
    ]
  }
}

ActionStatusTypeIdentifier_by_pk

Description

fetch data from the table: "ActionStatusTypeIdentifier" using primary key columns

Response

Returns an ActionStatusTypeIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query ActionStatusTypeIdentifier_by_pk($id: uuid!) {
  ActionStatusTypeIdentifier_by_pk(id: $id) {
    actionStatusTypeId
    id
    name
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "ActionStatusTypeIdentifier_by_pk": {
      "actionStatusTypeId": uuid,
      "id": uuid,
      "name": "abc123",
      "value": "xyz789",
      "valueReference": "abc123"
    }
  }
}

AdministrativeAreaIdentifier

AdministrativeAreaIdentifier

Description

fetch data from the table: "AdministrativeAreaIdentifier"

Arguments
Name Description
distinct_on - [AdministrativeAreaIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [AdministrativeAreaIdentifier_order_by!] sort the rows by one or more columns
where - AdministrativeAreaIdentifier_bool_exp filter the rows returned

Example

Query
query AdministrativeAreaIdentifier(
  $distinct_on: [AdministrativeAreaIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [AdministrativeAreaIdentifier_order_by!],
  $where: AdministrativeAreaIdentifier_bool_exp
) {
  AdministrativeAreaIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    administrativeAreaId
    id
    name
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["administrativeAreaId"],
  "limit": 987,
  "offset": 987,
  "order_by": [AdministrativeAreaIdentifier_order_by],
  "where": AdministrativeAreaIdentifier_bool_exp
}
Response
{
  "data": {
    "AdministrativeAreaIdentifier": [
      {
        "administrativeAreaId": uuid,
        "id": uuid,
        "name": "abc123",
        "value": "xyz789",
        "valueReference": "xyz789"
      }
    ]
  }
}

AdministrativeAreaIdentifier_by_pk

Description

fetch data from the table: "AdministrativeAreaIdentifier" using primary key columns

Response

Returns an AdministrativeAreaIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query AdministrativeAreaIdentifier_by_pk($id: uuid!) {
  AdministrativeAreaIdentifier_by_pk(id: $id) {
    administrativeAreaId
    id
    name
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "AdministrativeAreaIdentifier_by_pk": {
      "administrativeAreaId": uuid,
      "id": uuid,
      "name": "abc123",
      "value": "xyz789",
      "valueReference": "xyz789"
    }
  }
}

AggregateOfferIdentifier

AggregateOfferIdentifier

Description

fetch data from the table: "AggregateOfferIdentifier"

Response

Returns [AggregateOfferIdentifier!]!

Arguments
Name Description
distinct_on - [AggregateOfferIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [AggregateOfferIdentifier_order_by!] sort the rows by one or more columns
where - AggregateOfferIdentifier_bool_exp filter the rows returned

Example

Query
query AggregateOfferIdentifier(
  $distinct_on: [AggregateOfferIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [AggregateOfferIdentifier_order_by!],
  $where: AggregateOfferIdentifier_bool_exp
) {
  AggregateOfferIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    aggregateOfferId
    id
    name
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["aggregateOfferId"],
  "limit": 123,
  "offset": 123,
  "order_by": [AggregateOfferIdentifier_order_by],
  "where": AggregateOfferIdentifier_bool_exp
}
Response
{
  "data": {
    "AggregateOfferIdentifier": [
      {
        "aggregateOfferId": uuid,
        "id": uuid,
        "name": "abc123",
        "value": "abc123",
        "valueReference": "abc123"
      }
    ]
  }
}

AggregateOfferIdentifier_by_pk

Description

fetch data from the table: "AggregateOfferIdentifier" using primary key columns

Response

Returns an AggregateOfferIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query AggregateOfferIdentifier_by_pk($id: uuid!) {
  AggregateOfferIdentifier_by_pk(id: $id) {
    aggregateOfferId
    id
    name
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "AggregateOfferIdentifier_by_pk": {
      "aggregateOfferId": uuid,
      "id": uuid,
      "name": "xyz789",
      "value": "xyz789",
      "valueReference": "xyz789"
    }
  }
}

Applet

Applet

Response

Returns [Applet!]!

Arguments
Name Description
filter - Applet_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query Applet(
  $filter: Applet_filter,
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  Applet(
    filter: $filter,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    animationType
    appletType
    bottomDock
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    hasMediaObject {
      Applet_id {
        ...AppletFragment
      }
      MediaObject_id {
        ...MediaObjectFragment
      }
      id
    }
    hasMediaObject_func {
      count
    }
    id
    image {
      charset
      description
      duration
      embed
      filename_disk
      filename_download
      filesize
      folder {
        ...directus_foldersFragment
      }
      height
      id
      location
      metadata
      metadata_func {
        ...count_functionsFragment
      }
      modified_by {
        ...directus_usersFragment
      }
      modified_on
      modified_on_func {
        ...datetime_functionsFragment
      }
      storage
      tags
      tags_func {
        ...count_functionsFragment
      }
      title
      type
      uploaded_by {
        ...directus_usersFragment
      }
      uploaded_on
      uploaded_on_func {
        ...datetime_functionsFragment
      }
      width
    }
    label
    name
    pinnedMediaObject {
      applet {
        ...AppletFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      endDate
      endDate_func {
        ...datetime_functionsFragment
      }
      id
      mediaObject {
        ...MediaObjectFragment
      }
      pinStatus
      sort
      startDate
      startDate_func {
        ...datetime_functionsFragment
      }
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    pinnedMediaObject_func {
      count
    }
    portraitOrientation
    position
    scrambled
    sort
    status
    url
    userActivity {
      action
      actionTime
      actionTime_func {
        ...datetime_functionsFragment
      }
      actionTrigger
      applet {
        ...AppletFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      id
      mediaObject {
        ...MediaObjectFragment
      }
      sort
      status
      user {
        ...WormholeUserFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    userActivity_func {
      count
    }
    userAppletState {
      applet {
        ...AppletFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      firstOpenDate
      firstOpenDate_func {
        ...datetime_functionsFragment
      }
      id
      lastOpenDate
      lastOpenDate_func {
        ...datetime_functionsFragment
      }
      sort
      status
      user {
        ...WormholeUserFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    userAppletState_func {
      count
    }
    userMediaState {
      applet {
        ...AppletFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      favorite
      firstOpenDate
      firstOpenDate_func {
        ...datetime_functionsFragment
      }
      id
      lastOpenDate
      lastOpenDate_func {
        ...datetime_functionsFragment
      }
      mediaObject {
        ...MediaObjectFragment
      }
      progressRate
      sort
      status
      user {
        ...WormholeUserFragment
      }
      userInteractionCount
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    userMediaState_func {
      count
    }
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    visible
  }
}
Variables
{
  "filter": Applet_filter,
  "limit": 123,
  "offset": 123,
  "page": 987,
  "search": "xyz789",
  "sort": ["xyz789"]
}
Response
{
  "data": {
    "Applet": [
      {
        "animationType": "xyz789",
        "appletType": "abc123",
        "bottomDock": true,
        "date_created": "2007-12-03",
        "date_created_func": datetime_functions,
        "date_updated": "2007-12-03",
        "date_updated_func": datetime_functions,
        "hasMediaObject": [MediaObject_Applet],
        "hasMediaObject_func": count_functions,
        "id": "4",
        "image": directus_files,
        "label": "xyz789",
        "name": "abc123",
        "pinnedMediaObject": [PinnedMediaObject],
        "pinnedMediaObject_func": count_functions,
        "portraitOrientation": true,
        "position": "abc123",
        "scrambled": false,
        "sort": 987,
        "status": "xyz789",
        "url": "abc123",
        "userActivity": [UserActivity],
        "userActivity_func": count_functions,
        "userAppletState": [UserAppletState],
        "userAppletState_func": count_functions,
        "userMediaState": [UserMediaState],
        "userMediaState_func": count_functions,
        "user_created": directus_users,
        "user_updated": directus_users,
        "visible": false
      }
    ]
  }
}

Applet_aggregated

Response

Returns [Applet_aggregated!]!

Arguments
Name Description
filter - Applet_filter
groupBy - [String]
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query Applet_aggregated(
  $filter: Applet_filter,
  $groupBy: [String],
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  Applet_aggregated(
    filter: $filter,
    groupBy: $groupBy,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    avg {
      sort
    }
    avgDistinct {
      sort
    }
    count {
      animationType
      appletType
      bottomDock
      date_created
      date_updated
      hasMediaObject
      id
      image
      label
      name
      pinnedMediaObject
      portraitOrientation
      position
      scrambled
      sort
      status
      url
      userActivity
      userAppletState
      userMediaState
      user_created
      user_updated
      visible
    }
    countAll
    countDistinct {
      animationType
      appletType
      bottomDock
      date_created
      date_updated
      hasMediaObject
      id
      image
      label
      name
      pinnedMediaObject
      portraitOrientation
      position
      scrambled
      sort
      status
      url
      userActivity
      userAppletState
      userMediaState
      user_created
      user_updated
      visible
    }
    group
    max {
      sort
    }
    min {
      sort
    }
    sum {
      sort
    }
    sumDistinct {
      sort
    }
  }
}
Variables
{
  "filter": Applet_filter,
  "groupBy": ["abc123"],
  "limit": 123,
  "offset": 123,
  "page": 987,
  "search": "abc123",
  "sort": ["xyz789"]
}
Response
{
  "data": {
    "Applet_aggregated": [
      {
        "avg": Applet_aggregated_fields,
        "avgDistinct": Applet_aggregated_fields,
        "count": Applet_aggregated_count,
        "countAll": 123,
        "countDistinct": Applet_aggregated_count,
        "group": {},
        "max": Applet_aggregated_fields,
        "min": Applet_aggregated_fields,
        "sum": Applet_aggregated_fields,
        "sumDistinct": Applet_aggregated_fields
      }
    ]
  }
}

Applet_by_id

Response

Returns an Applet

Arguments
Name Description
id - ID!

Example

Query
query Applet_by_id($id: ID!) {
  Applet_by_id(id: $id) {
    animationType
    appletType
    bottomDock
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    hasMediaObject {
      Applet_id {
        ...AppletFragment
      }
      MediaObject_id {
        ...MediaObjectFragment
      }
      id
    }
    hasMediaObject_func {
      count
    }
    id
    image {
      charset
      description
      duration
      embed
      filename_disk
      filename_download
      filesize
      folder {
        ...directus_foldersFragment
      }
      height
      id
      location
      metadata
      metadata_func {
        ...count_functionsFragment
      }
      modified_by {
        ...directus_usersFragment
      }
      modified_on
      modified_on_func {
        ...datetime_functionsFragment
      }
      storage
      tags
      tags_func {
        ...count_functionsFragment
      }
      title
      type
      uploaded_by {
        ...directus_usersFragment
      }
      uploaded_on
      uploaded_on_func {
        ...datetime_functionsFragment
      }
      width
    }
    label
    name
    pinnedMediaObject {
      applet {
        ...AppletFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      endDate
      endDate_func {
        ...datetime_functionsFragment
      }
      id
      mediaObject {
        ...MediaObjectFragment
      }
      pinStatus
      sort
      startDate
      startDate_func {
        ...datetime_functionsFragment
      }
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    pinnedMediaObject_func {
      count
    }
    portraitOrientation
    position
    scrambled
    sort
    status
    url
    userActivity {
      action
      actionTime
      actionTime_func {
        ...datetime_functionsFragment
      }
      actionTrigger
      applet {
        ...AppletFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      id
      mediaObject {
        ...MediaObjectFragment
      }
      sort
      status
      user {
        ...WormholeUserFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    userActivity_func {
      count
    }
    userAppletState {
      applet {
        ...AppletFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      firstOpenDate
      firstOpenDate_func {
        ...datetime_functionsFragment
      }
      id
      lastOpenDate
      lastOpenDate_func {
        ...datetime_functionsFragment
      }
      sort
      status
      user {
        ...WormholeUserFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    userAppletState_func {
      count
    }
    userMediaState {
      applet {
        ...AppletFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      favorite
      firstOpenDate
      firstOpenDate_func {
        ...datetime_functionsFragment
      }
      id
      lastOpenDate
      lastOpenDate_func {
        ...datetime_functionsFragment
      }
      mediaObject {
        ...MediaObjectFragment
      }
      progressRate
      sort
      status
      user {
        ...WormholeUserFragment
      }
      userInteractionCount
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    userMediaState_func {
      count
    }
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    visible
  }
}
Variables
{"id": 4}
Response
{
  "data": {
    "Applet_by_id": {
      "animationType": "abc123",
      "appletType": "abc123",
      "bottomDock": false,
      "date_created": "2007-12-03",
      "date_created_func": datetime_functions,
      "date_updated": "2007-12-03",
      "date_updated_func": datetime_functions,
      "hasMediaObject": [MediaObject_Applet],
      "hasMediaObject_func": count_functions,
      "id": "4",
      "image": directus_files,
      "label": "abc123",
      "name": "abc123",
      "pinnedMediaObject": [PinnedMediaObject],
      "pinnedMediaObject_func": count_functions,
      "portraitOrientation": true,
      "position": "abc123",
      "scrambled": true,
      "sort": 987,
      "status": "xyz789",
      "url": "xyz789",
      "userActivity": [UserActivity],
      "userActivity_func": count_functions,
      "userAppletState": [UserAppletState],
      "userAppletState_func": count_functions,
      "userMediaState": [UserMediaState],
      "userMediaState_func": count_functions,
      "user_created": directus_users,
      "user_updated": directus_users,
      "visible": false
    }
  }
}

AudienceIdentifier

AudienceIdentifier

Description

fetch data from the table: "AudienceIdentifier"

Response

Returns [AudienceIdentifier!]!

Arguments
Name Description
distinct_on - [AudienceIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [AudienceIdentifier_order_by!] sort the rows by one or more columns
where - AudienceIdentifier_bool_exp filter the rows returned

Example

Query
query AudienceIdentifier(
  $distinct_on: [AudienceIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [AudienceIdentifier_order_by!],
  $where: AudienceIdentifier_bool_exp
) {
  AudienceIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    audienceId
    id
    name
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["audienceId"],
  "limit": 987,
  "offset": 987,
  "order_by": [AudienceIdentifier_order_by],
  "where": AudienceIdentifier_bool_exp
}
Response
{
  "data": {
    "AudienceIdentifier": [
      {
        "audienceId": uuid,
        "id": uuid,
        "name": "abc123",
        "value": "xyz789",
        "valueReference": "abc123"
      }
    ]
  }
}

AudienceIdentifier_by_pk

Description

fetch data from the table: "AudienceIdentifier" using primary key columns

Response

Returns an AudienceIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query AudienceIdentifier_by_pk($id: uuid!) {
  AudienceIdentifier_by_pk(id: $id) {
    audienceId
    id
    name
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "AudienceIdentifier_by_pk": {
      "audienceId": uuid,
      "id": uuid,
      "name": "abc123",
      "value": "xyz789",
      "valueReference": "abc123"
    }
  }
}

Beacon

Beacon

Response

Returns [Beacon!]!

Arguments
Name Description
filter - Beacon_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query Beacon(
  $filter: Beacon_filter,
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  Beacon(
    filter: $filter,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    broadcastPower
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    description
    directusId
    id
    isPartOfBeaconGroup {
      containedInExhibition {
        ...ExhibitionFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      directusId
      hasBeacon {
        ...BeaconFragment
      }
      hasBeacon_func {
        ...count_functionsFragment
      }
      hasCollection {
        ...CollectionFragment
      }
      hasCollection_func {
        ...count_functionsFragment
      }
      id
      keyword {
        ...Keyword_BeaconGroupFragment
      }
      keyword_func {
        ...count_functionsFragment
      }
      majorID
      name
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    macAddress
    minorID
    name
    proximity
    sort
    status
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{
  "filter": Beacon_filter,
  "limit": 987,
  "offset": 123,
  "page": 987,
  "search": "abc123",
  "sort": ["xyz789"]
}
Response
{
  "data": {
    "Beacon": [
      {
        "broadcastPower": 987,
        "date_created": "2007-12-03",
        "date_created_func": datetime_functions,
        "date_updated": "2007-12-03",
        "date_updated_func": datetime_functions,
        "description": "abc123",
        "directusId": 123,
        "id": 4,
        "isPartOfBeaconGroup": BeaconGroup,
        "macAddress": "xyz789",
        "minorID": "xyz789",
        "name": "abc123",
        "proximity": "abc123",
        "sort": 987,
        "status": "abc123",
        "user_created": directus_users,
        "user_updated": directus_users
      }
    ]
  }
}

Beacon_aggregated

Response

Returns [Beacon_aggregated!]!

Arguments
Name Description
filter - Beacon_filter
groupBy - [String]
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query Beacon_aggregated(
  $filter: Beacon_filter,
  $groupBy: [String],
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  Beacon_aggregated(
    filter: $filter,
    groupBy: $groupBy,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    avg {
      broadcastPower
      directusId
      sort
    }
    avgDistinct {
      broadcastPower
      directusId
      sort
    }
    count {
      broadcastPower
      date_created
      date_updated
      description
      directusId
      id
      isPartOfBeaconGroup
      macAddress
      minorID
      name
      proximity
      sort
      status
      user_created
      user_updated
    }
    countAll
    countDistinct {
      broadcastPower
      date_created
      date_updated
      description
      directusId
      id
      isPartOfBeaconGroup
      macAddress
      minorID
      name
      proximity
      sort
      status
      user_created
      user_updated
    }
    group
    max {
      broadcastPower
      directusId
      sort
    }
    min {
      broadcastPower
      directusId
      sort
    }
    sum {
      broadcastPower
      directusId
      sort
    }
    sumDistinct {
      broadcastPower
      directusId
      sort
    }
  }
}
Variables
{
  "filter": Beacon_filter,
  "groupBy": ["abc123"],
  "limit": 987,
  "offset": 987,
  "page": 123,
  "search": "xyz789",
  "sort": ["xyz789"]
}
Response
{
  "data": {
    "Beacon_aggregated": [
      {
        "avg": Beacon_aggregated_fields,
        "avgDistinct": Beacon_aggregated_fields,
        "count": Beacon_aggregated_count,
        "countAll": 987,
        "countDistinct": Beacon_aggregated_count,
        "group": {},
        "max": Beacon_aggregated_fields,
        "min": Beacon_aggregated_fields,
        "sum": Beacon_aggregated_fields,
        "sumDistinct": Beacon_aggregated_fields
      }
    ]
  }
}

Beacon_by_id

Response

Returns a Beacon

Arguments
Name Description
id - ID!

Example

Query
query Beacon_by_id($id: ID!) {
  Beacon_by_id(id: $id) {
    broadcastPower
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    description
    directusId
    id
    isPartOfBeaconGroup {
      containedInExhibition {
        ...ExhibitionFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      directusId
      hasBeacon {
        ...BeaconFragment
      }
      hasBeacon_func {
        ...count_functionsFragment
      }
      hasCollection {
        ...CollectionFragment
      }
      hasCollection_func {
        ...count_functionsFragment
      }
      id
      keyword {
        ...Keyword_BeaconGroupFragment
      }
      keyword_func {
        ...count_functionsFragment
      }
      majorID
      name
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    macAddress
    minorID
    name
    proximity
    sort
    status
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{"id": 4}
Response
{
  "data": {
    "Beacon_by_id": {
      "broadcastPower": 987,
      "date_created": "2007-12-03",
      "date_created_func": datetime_functions,
      "date_updated": "2007-12-03",
      "date_updated_func": datetime_functions,
      "description": "abc123",
      "directusId": 987,
      "id": "4",
      "isPartOfBeaconGroup": BeaconGroup,
      "macAddress": "abc123",
      "minorID": "abc123",
      "name": "abc123",
      "proximity": "xyz789",
      "sort": 987,
      "status": "xyz789",
      "user_created": directus_users,
      "user_updated": directus_users
    }
  }
}

BeaconGroup

BeaconGroup

Response

Returns [BeaconGroup!]!

Arguments
Name Description
filter - BeaconGroup_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query BeaconGroup(
  $filter: BeaconGroup_filter,
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  BeaconGroup(
    filter: $filter,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    containedInExhibition {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      directusId
      hasBeaconGroup {
        ...BeaconGroupFragment
      }
      hasBeaconGroup_func {
        ...count_functionsFragment
      }
      hasCollectionGroup {
        ...CollectionGroupFragment
      }
      hasCollectionGroup_func {
        ...count_functionsFragment
      }
      hasMediaObject {
        ...MediaObject_ExhibitionFragment
      }
      hasMediaObject_func {
        ...count_functionsFragment
      }
      id
      identifier {
        ...ExhibitionIdentifierFragment
      }
      identifier_func {
        ...count_functionsFragment
      }
      name
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    directusId
    hasBeacon {
      broadcastPower
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      directusId
      id
      isPartOfBeaconGroup {
        ...BeaconGroupFragment
      }
      macAddress
      minorID
      name
      proximity
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    hasBeacon_func {
      count
    }
    hasCollection {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasMediaObject {
        ...MediaObjectFragment
      }
      hasMediaObject_func {
        ...count_functionsFragment
      }
      id
      isDeliveredByBeaconGroup {
        ...BeaconGroupFragment
      }
      isPartOfCollectionGroup {
        ...CollectionGroupFragment
      }
      lockedImage {
        ...directus_filesFragment
      }
      name
      pushNotification {
        ...PushNotificationFragment
      }
      pushNotification_func {
        ...count_functionsFragment
      }
      sort
      status
      unlockedImage {
        ...directus_filesFragment
      }
      userUnlockState {
        ...UserUnlockStateFragment
      }
      userUnlockState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    hasCollection_func {
      count
    }
    id
    keyword {
      BeaconGroup_id {
        ...BeaconGroupFragment
      }
      Keyword_id {
        ...KeywordFragment
      }
      id
    }
    keyword_func {
      count
    }
    majorID
    name
    sort
    status
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{
  "filter": BeaconGroup_filter,
  "limit": 123,
  "offset": 123,
  "page": 123,
  "search": "abc123",
  "sort": ["xyz789"]
}
Response
{
  "data": {
    "BeaconGroup": [
      {
        "containedInExhibition": Exhibition,
        "date_created": "2007-12-03",
        "date_created_func": datetime_functions,
        "date_updated": "2007-12-03",
        "date_updated_func": datetime_functions,
        "directusId": 987,
        "hasBeacon": [Beacon],
        "hasBeacon_func": count_functions,
        "hasCollection": [Collection],
        "hasCollection_func": count_functions,
        "id": "4",
        "keyword": [Keyword_BeaconGroup],
        "keyword_func": count_functions,
        "majorID": 123,
        "name": "xyz789",
        "sort": 123,
        "status": "xyz789",
        "user_created": directus_users,
        "user_updated": directus_users
      }
    ]
  }
}

BeaconGroup_aggregated

Response

Returns [BeaconGroup_aggregated!]!

Arguments
Name Description
filter - BeaconGroup_filter
groupBy - [String]
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query BeaconGroup_aggregated(
  $filter: BeaconGroup_filter,
  $groupBy: [String],
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  BeaconGroup_aggregated(
    filter: $filter,
    groupBy: $groupBy,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    avg {
      directusId
      majorID
      sort
    }
    avgDistinct {
      directusId
      majorID
      sort
    }
    count {
      containedInExhibition
      date_created
      date_updated
      directusId
      hasBeacon
      hasCollection
      id
      keyword
      majorID
      name
      sort
      status
      user_created
      user_updated
    }
    countAll
    countDistinct {
      containedInExhibition
      date_created
      date_updated
      directusId
      hasBeacon
      hasCollection
      id
      keyword
      majorID
      name
      sort
      status
      user_created
      user_updated
    }
    group
    max {
      directusId
      majorID
      sort
    }
    min {
      directusId
      majorID
      sort
    }
    sum {
      directusId
      majorID
      sort
    }
    sumDistinct {
      directusId
      majorID
      sort
    }
  }
}
Variables
{
  "filter": BeaconGroup_filter,
  "groupBy": ["xyz789"],
  "limit": 987,
  "offset": 123,
  "page": 987,
  "search": "abc123",
  "sort": ["abc123"]
}
Response
{
  "data": {
    "BeaconGroup_aggregated": [
      {
        "avg": BeaconGroup_aggregated_fields,
        "avgDistinct": BeaconGroup_aggregated_fields,
        "count": BeaconGroup_aggregated_count,
        "countAll": 987,
        "countDistinct": BeaconGroup_aggregated_count,
        "group": {},
        "max": BeaconGroup_aggregated_fields,
        "min": BeaconGroup_aggregated_fields,
        "sum": BeaconGroup_aggregated_fields,
        "sumDistinct": BeaconGroup_aggregated_fields
      }
    ]
  }
}

BeaconGroup_by_id

Response

Returns a BeaconGroup

Arguments
Name Description
id - ID!

Example

Query
query BeaconGroup_by_id($id: ID!) {
  BeaconGroup_by_id(id: $id) {
    containedInExhibition {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      directusId
      hasBeaconGroup {
        ...BeaconGroupFragment
      }
      hasBeaconGroup_func {
        ...count_functionsFragment
      }
      hasCollectionGroup {
        ...CollectionGroupFragment
      }
      hasCollectionGroup_func {
        ...count_functionsFragment
      }
      hasMediaObject {
        ...MediaObject_ExhibitionFragment
      }
      hasMediaObject_func {
        ...count_functionsFragment
      }
      id
      identifier {
        ...ExhibitionIdentifierFragment
      }
      identifier_func {
        ...count_functionsFragment
      }
      name
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    directusId
    hasBeacon {
      broadcastPower
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      directusId
      id
      isPartOfBeaconGroup {
        ...BeaconGroupFragment
      }
      macAddress
      minorID
      name
      proximity
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    hasBeacon_func {
      count
    }
    hasCollection {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasMediaObject {
        ...MediaObjectFragment
      }
      hasMediaObject_func {
        ...count_functionsFragment
      }
      id
      isDeliveredByBeaconGroup {
        ...BeaconGroupFragment
      }
      isPartOfCollectionGroup {
        ...CollectionGroupFragment
      }
      lockedImage {
        ...directus_filesFragment
      }
      name
      pushNotification {
        ...PushNotificationFragment
      }
      pushNotification_func {
        ...count_functionsFragment
      }
      sort
      status
      unlockedImage {
        ...directus_filesFragment
      }
      userUnlockState {
        ...UserUnlockStateFragment
      }
      userUnlockState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    hasCollection_func {
      count
    }
    id
    keyword {
      BeaconGroup_id {
        ...BeaconGroupFragment
      }
      Keyword_id {
        ...KeywordFragment
      }
      id
    }
    keyword_func {
      count
    }
    majorID
    name
    sort
    status
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{"id": 4}
Response
{
  "data": {
    "BeaconGroup_by_id": {
      "containedInExhibition": Exhibition,
      "date_created": "2007-12-03",
      "date_created_func": datetime_functions,
      "date_updated": "2007-12-03",
      "date_updated_func": datetime_functions,
      "directusId": 123,
      "hasBeacon": [Beacon],
      "hasBeacon_func": count_functions,
      "hasCollection": [Collection],
      "hasCollection_func": count_functions,
      "id": 4,
      "keyword": [Keyword_BeaconGroup],
      "keyword_func": count_functions,
      "majorID": 987,
      "name": "abc123",
      "sort": 987,
      "status": "xyz789",
      "user_created": directus_users,
      "user_updated": directus_users
    }
  }
}

BrandIdentifier

BrandIdentifier

Description

fetch data from the table: "BrandIdentifier"

Response

Returns [BrandIdentifier!]!

Arguments
Name Description
distinct_on - [BrandIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [BrandIdentifier_order_by!] sort the rows by one or more columns
where - BrandIdentifier_bool_exp filter the rows returned

Example

Query
query BrandIdentifier(
  $distinct_on: [BrandIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [BrandIdentifier_order_by!],
  $where: BrandIdentifier_bool_exp
) {
  BrandIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    brandId
    id
    name
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["brandId"],
  "limit": 123,
  "offset": 123,
  "order_by": [BrandIdentifier_order_by],
  "where": BrandIdentifier_bool_exp
}
Response
{
  "data": {
    "BrandIdentifier": [
      {
        "brandId": uuid,
        "id": uuid,
        "name": "abc123",
        "value": "abc123",
        "valueReference": "xyz789"
      }
    ]
  }
}

BrandIdentifier_by_pk

Description

fetch data from the table: "BrandIdentifier" using primary key columns

Response

Returns a BrandIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query BrandIdentifier_by_pk($id: uuid!) {
  BrandIdentifier_by_pk(id: $id) {
    brandId
    id
    name
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "BrandIdentifier_by_pk": {
      "brandId": uuid,
      "id": uuid,
      "name": "xyz789",
      "value": "xyz789",
      "valueReference": "abc123"
    }
  }
}

Character

Character

Response

Returns [Character!]!

Arguments
Name Description
filter - Character_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query Character(
  $filter: Character_filter,
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  Character(
    filter: $filter,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    avatar {
      charset
      description
      duration
      embed
      filename_disk
      filename_download
      filesize
      folder {
        ...directus_foldersFragment
      }
      height
      id
      location
      metadata
      metadata_func {
        ...count_functionsFragment
      }
      modified_by {
        ...directus_usersFragment
      }
      modified_on
      modified_on_func {
        ...datetime_functionsFragment
      }
      storage
      tags
      tags_func {
        ...count_functionsFragment
      }
      title
      type
      uploaded_by {
        ...directus_usersFragment
      }
      uploaded_on
      uploaded_on_func {
        ...datetime_functionsFragment
      }
      width
    }
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    description
    id
    isPartOfMediaObject {
      Character_id {
        ...CharacterFragment
      }
      MediaObject_id {
        ...MediaObjectFragment
      }
      id
    }
    isPartOfMediaObject_func {
      count
    }
    name
    sort
    status
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{
  "filter": Character_filter,
  "limit": 987,
  "offset": 123,
  "page": 987,
  "search": "xyz789",
  "sort": ["abc123"]
}
Response
{
  "data": {
    "Character": [
      {
        "avatar": directus_files,
        "date_created": "2007-12-03",
        "date_created_func": datetime_functions,
        "date_updated": "2007-12-03",
        "date_updated_func": datetime_functions,
        "description": "xyz789",
        "id": 4,
        "isPartOfMediaObject": [Character_MediaObject],
        "isPartOfMediaObject_func": count_functions,
        "name": "xyz789",
        "sort": 987,
        "status": "xyz789",
        "user_created": directus_users,
        "user_updated": directus_users
      }
    ]
  }
}

Character_MediaObject

Response

Returns [Character_MediaObject!]!

Arguments
Name Description
filter - Character_MediaObject_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query Character_MediaObject(
  $filter: Character_MediaObject_filter,
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  Character_MediaObject(
    filter: $filter,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    Character_id {
      avatar {
        ...directus_filesFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      id
      isPartOfMediaObject {
        ...Character_MediaObjectFragment
      }
      isPartOfMediaObject_func {
        ...count_functionsFragment
      }
      name
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    MediaObject_id {
      additionalType
      applet {
        ...MediaObject_AppletFragment
      }
      applet_func {
        ...count_functionsFragment
      }
      articleBody
      assetId
      audio {
        ...directus_filesFragment
      }
      contentUrl
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasCharacter {
        ...Character_MediaObjectFragment
      }
      hasCharacter_func {
        ...count_functionsFragment
      }
      hasPin {
        ...PinnedMediaObjectFragment
      }
      hasPin_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      isPartOfCollection {
        ...CollectionFragment
      }
      isPartOfExhibition {
        ...MediaObject_ExhibitionFragment
      }
      isPartOfExhibition_func {
        ...count_functionsFragment
      }
      isPartOfNarrativePlace {
        ...NarrativePlace_MediaObjectFragment
      }
      isPartOfNarrativePlace_func {
        ...count_functionsFragment
      }
      keyword {
        ...Keyword_MediaObjectFragment
      }
      keyword_func {
        ...count_functionsFragment
      }
      mediaRelationship {
        ...MediaRelationshipFragment
      }
      mediaRelationship_func {
        ...count_functionsFragment
      }
      messageBody
      name
      page {
        ...MediaObject_filesFragment
      }
      page_func {
        ...count_functionsFragment
      }
      playerType
      sort
      status
      thumbnail {
        ...directus_filesFragment
      }
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    id
  }
}
Variables
{
  "filter": Character_MediaObject_filter,
  "limit": 123,
  "offset": 123,
  "page": 123,
  "search": "abc123",
  "sort": ["xyz789"]
}
Response
{
  "data": {
    "Character_MediaObject": [
      {
        "Character_id": Character,
        "MediaObject_id": MediaObject,
        "id": "4"
      }
    ]
  }
}

Character_MediaObject_aggregated

Arguments
Name Description
filter - Character_MediaObject_filter
groupBy - [String]
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query Character_MediaObject_aggregated(
  $filter: Character_MediaObject_filter,
  $groupBy: [String],
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  Character_MediaObject_aggregated(
    filter: $filter,
    groupBy: $groupBy,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    avg {
      id
    }
    avgDistinct {
      id
    }
    count {
      Character_id
      MediaObject_id
      id
    }
    countAll
    countDistinct {
      Character_id
      MediaObject_id
      id
    }
    group
    max {
      id
    }
    min {
      id
    }
    sum {
      id
    }
    sumDistinct {
      id
    }
  }
}
Variables
{
  "filter": Character_MediaObject_filter,
  "groupBy": ["xyz789"],
  "limit": 987,
  "offset": 987,
  "page": 987,
  "search": "abc123",
  "sort": ["xyz789"]
}
Response
{
  "data": {
    "Character_MediaObject_aggregated": [
      {
        "avg": Character_MediaObject_aggregated_fields,
        "avgDistinct": Character_MediaObject_aggregated_fields,
        "count": Character_MediaObject_aggregated_count,
        "countAll": 987,
        "countDistinct": Character_MediaObject_aggregated_count,
        "group": {},
        "max": Character_MediaObject_aggregated_fields,
        "min": Character_MediaObject_aggregated_fields,
        "sum": Character_MediaObject_aggregated_fields,
        "sumDistinct": Character_MediaObject_aggregated_fields
      }
    ]
  }
}

Character_MediaObject_by_id

Response

Returns a Character_MediaObject

Arguments
Name Description
id - ID!

Example

Query
query Character_MediaObject_by_id($id: ID!) {
  Character_MediaObject_by_id(id: $id) {
    Character_id {
      avatar {
        ...directus_filesFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      id
      isPartOfMediaObject {
        ...Character_MediaObjectFragment
      }
      isPartOfMediaObject_func {
        ...count_functionsFragment
      }
      name
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    MediaObject_id {
      additionalType
      applet {
        ...MediaObject_AppletFragment
      }
      applet_func {
        ...count_functionsFragment
      }
      articleBody
      assetId
      audio {
        ...directus_filesFragment
      }
      contentUrl
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasCharacter {
        ...Character_MediaObjectFragment
      }
      hasCharacter_func {
        ...count_functionsFragment
      }
      hasPin {
        ...PinnedMediaObjectFragment
      }
      hasPin_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      isPartOfCollection {
        ...CollectionFragment
      }
      isPartOfExhibition {
        ...MediaObject_ExhibitionFragment
      }
      isPartOfExhibition_func {
        ...count_functionsFragment
      }
      isPartOfNarrativePlace {
        ...NarrativePlace_MediaObjectFragment
      }
      isPartOfNarrativePlace_func {
        ...count_functionsFragment
      }
      keyword {
        ...Keyword_MediaObjectFragment
      }
      keyword_func {
        ...count_functionsFragment
      }
      mediaRelationship {
        ...MediaRelationshipFragment
      }
      mediaRelationship_func {
        ...count_functionsFragment
      }
      messageBody
      name
      page {
        ...MediaObject_filesFragment
      }
      page_func {
        ...count_functionsFragment
      }
      playerType
      sort
      status
      thumbnail {
        ...directus_filesFragment
      }
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    id
  }
}
Variables
{"id": 4}
Response
{
  "data": {
    "Character_MediaObject_by_id": {
      "Character_id": Character,
      "MediaObject_id": MediaObject,
      "id": 4
    }
  }
}

Character_aggregated

Response

Returns [Character_aggregated!]!

Arguments
Name Description
filter - Character_filter
groupBy - [String]
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query Character_aggregated(
  $filter: Character_filter,
  $groupBy: [String],
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  Character_aggregated(
    filter: $filter,
    groupBy: $groupBy,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    avg {
      sort
    }
    avgDistinct {
      sort
    }
    count {
      avatar
      date_created
      date_updated
      description
      id
      isPartOfMediaObject
      name
      sort
      status
      user_created
      user_updated
    }
    countAll
    countDistinct {
      avatar
      date_created
      date_updated
      description
      id
      isPartOfMediaObject
      name
      sort
      status
      user_created
      user_updated
    }
    group
    max {
      sort
    }
    min {
      sort
    }
    sum {
      sort
    }
    sumDistinct {
      sort
    }
  }
}
Variables
{
  "filter": Character_filter,
  "groupBy": ["abc123"],
  "limit": 123,
  "offset": 123,
  "page": 123,
  "search": "xyz789",
  "sort": ["xyz789"]
}
Response
{
  "data": {
    "Character_aggregated": [
      {
        "avg": Character_aggregated_fields,
        "avgDistinct": Character_aggregated_fields,
        "count": Character_aggregated_count,
        "countAll": 987,
        "countDistinct": Character_aggregated_count,
        "group": {},
        "max": Character_aggregated_fields,
        "min": Character_aggregated_fields,
        "sum": Character_aggregated_fields,
        "sumDistinct": Character_aggregated_fields
      }
    ]
  }
}

Character_by_id

Response

Returns a Character

Arguments
Name Description
id - ID!

Example

Query
query Character_by_id($id: ID!) {
  Character_by_id(id: $id) {
    avatar {
      charset
      description
      duration
      embed
      filename_disk
      filename_download
      filesize
      folder {
        ...directus_foldersFragment
      }
      height
      id
      location
      metadata
      metadata_func {
        ...count_functionsFragment
      }
      modified_by {
        ...directus_usersFragment
      }
      modified_on
      modified_on_func {
        ...datetime_functionsFragment
      }
      storage
      tags
      tags_func {
        ...count_functionsFragment
      }
      title
      type
      uploaded_by {
        ...directus_usersFragment
      }
      uploaded_on
      uploaded_on_func {
        ...datetime_functionsFragment
      }
      width
    }
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    description
    id
    isPartOfMediaObject {
      Character_id {
        ...CharacterFragment
      }
      MediaObject_id {
        ...MediaObjectFragment
      }
      id
    }
    isPartOfMediaObject_func {
      count
    }
    name
    sort
    status
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{"id": 4}
Response
{
  "data": {
    "Character_by_id": {
      "avatar": directus_files,
      "date_created": "2007-12-03",
      "date_created_func": datetime_functions,
      "date_updated": "2007-12-03",
      "date_updated_func": datetime_functions,
      "description": "abc123",
      "id": "4",
      "isPartOfMediaObject": [Character_MediaObject],
      "isPartOfMediaObject_func": count_functions,
      "name": "abc123",
      "sort": 123,
      "status": "abc123",
      "user_created": directus_users,
      "user_updated": directus_users
    }
  }
}

Collection

Collection

Response

Returns [Collection!]!

Arguments
Name Description
filter - Collection_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query Collection(
  $filter: Collection_filter,
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  Collection(
    filter: $filter,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    description
    hasMediaObject {
      additionalType
      applet {
        ...MediaObject_AppletFragment
      }
      applet_func {
        ...count_functionsFragment
      }
      articleBody
      assetId
      audio {
        ...directus_filesFragment
      }
      contentUrl
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasCharacter {
        ...Character_MediaObjectFragment
      }
      hasCharacter_func {
        ...count_functionsFragment
      }
      hasPin {
        ...PinnedMediaObjectFragment
      }
      hasPin_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      isPartOfCollection {
        ...CollectionFragment
      }
      isPartOfExhibition {
        ...MediaObject_ExhibitionFragment
      }
      isPartOfExhibition_func {
        ...count_functionsFragment
      }
      isPartOfNarrativePlace {
        ...NarrativePlace_MediaObjectFragment
      }
      isPartOfNarrativePlace_func {
        ...count_functionsFragment
      }
      keyword {
        ...Keyword_MediaObjectFragment
      }
      keyword_func {
        ...count_functionsFragment
      }
      mediaRelationship {
        ...MediaRelationshipFragment
      }
      mediaRelationship_func {
        ...count_functionsFragment
      }
      messageBody
      name
      page {
        ...MediaObject_filesFragment
      }
      page_func {
        ...count_functionsFragment
      }
      playerType
      sort
      status
      thumbnail {
        ...directus_filesFragment
      }
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    hasMediaObject_func {
      count
    }
    id
    isDeliveredByBeaconGroup {
      containedInExhibition {
        ...ExhibitionFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      directusId
      hasBeacon {
        ...BeaconFragment
      }
      hasBeacon_func {
        ...count_functionsFragment
      }
      hasCollection {
        ...CollectionFragment
      }
      hasCollection_func {
        ...count_functionsFragment
      }
      id
      keyword {
        ...Keyword_BeaconGroupFragment
      }
      keyword_func {
        ...count_functionsFragment
      }
      majorID
      name
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    isPartOfCollectionGroup {
      coverObject {
        ...MediaObjectFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasCollection {
        ...CollectionFragment
      }
      hasCollection_func {
        ...count_functionsFragment
      }
      id
      isPartOfExhibition {
        ...ExhibitionFragment
      }
      name
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    lockedImage {
      charset
      description
      duration
      embed
      filename_disk
      filename_download
      filesize
      folder {
        ...directus_foldersFragment
      }
      height
      id
      location
      metadata
      metadata_func {
        ...count_functionsFragment
      }
      modified_by {
        ...directus_usersFragment
      }
      modified_on
      modified_on_func {
        ...datetime_functionsFragment
      }
      storage
      tags
      tags_func {
        ...count_functionsFragment
      }
      title
      type
      uploaded_by {
        ...directus_usersFragment
      }
      uploaded_on
      uploaded_on_func {
        ...datetime_functionsFragment
      }
      width
    }
    name
    pushNotification {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      id
      isPartOfCollection {
        ...CollectionFragment
      }
      name
      sort
      status
      subtitle
      text
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    pushNotification_func {
      count
    }
    sort
    status
    unlockedImage {
      charset
      description
      duration
      embed
      filename_disk
      filename_download
      filesize
      folder {
        ...directus_foldersFragment
      }
      height
      id
      location
      metadata
      metadata_func {
        ...count_functionsFragment
      }
      modified_by {
        ...directus_usersFragment
      }
      modified_on
      modified_on_func {
        ...datetime_functionsFragment
      }
      storage
      tags
      tags_func {
        ...count_functionsFragment
      }
      title
      type
      uploaded_by {
        ...directus_usersFragment
      }
      uploaded_on
      uploaded_on_func {
        ...datetime_functionsFragment
      }
      width
    }
    userUnlockState {
      collection {
        ...CollectionFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      id
      sort
      status
      unlockStatus
      unlockedTime
      unlockedTime_func {
        ...datetime_functionsFragment
      }
      user {
        ...WormholeUserFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    userUnlockState_func {
      count
    }
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{
  "filter": Collection_filter,
  "limit": 987,
  "offset": 123,
  "page": 123,
  "search": "abc123",
  "sort": ["abc123"]
}
Response
{
  "data": {
    "Collection": [
      {
        "date_created": "2007-12-03",
        "date_created_func": datetime_functions,
        "date_updated": "2007-12-03",
        "date_updated_func": datetime_functions,
        "description": "abc123",
        "hasMediaObject": [MediaObject],
        "hasMediaObject_func": count_functions,
        "id": 4,
        "isDeliveredByBeaconGroup": BeaconGroup,
        "isPartOfCollectionGroup": CollectionGroup,
        "lockedImage": directus_files,
        "name": "abc123",
        "pushNotification": [PushNotification],
        "pushNotification_func": count_functions,
        "sort": 123,
        "status": "xyz789",
        "unlockedImage": directus_files,
        "userUnlockState": [UserUnlockState],
        "userUnlockState_func": count_functions,
        "user_created": directus_users,
        "user_updated": directus_users
      }
    ]
  }
}

Collection_aggregated

Response

Returns [Collection_aggregated!]!

Arguments
Name Description
filter - Collection_filter
groupBy - [String]
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query Collection_aggregated(
  $filter: Collection_filter,
  $groupBy: [String],
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  Collection_aggregated(
    filter: $filter,
    groupBy: $groupBy,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    avg {
      sort
    }
    avgDistinct {
      sort
    }
    count {
      date_created
      date_updated
      description
      hasMediaObject
      id
      isDeliveredByBeaconGroup
      isPartOfCollectionGroup
      lockedImage
      name
      pushNotification
      sort
      status
      unlockedImage
      userUnlockState
      user_created
      user_updated
    }
    countAll
    countDistinct {
      date_created
      date_updated
      description
      hasMediaObject
      id
      isDeliveredByBeaconGroup
      isPartOfCollectionGroup
      lockedImage
      name
      pushNotification
      sort
      status
      unlockedImage
      userUnlockState
      user_created
      user_updated
    }
    group
    max {
      sort
    }
    min {
      sort
    }
    sum {
      sort
    }
    sumDistinct {
      sort
    }
  }
}
Variables
{
  "filter": Collection_filter,
  "groupBy": ["abc123"],
  "limit": 123,
  "offset": 987,
  "page": 123,
  "search": "xyz789",
  "sort": ["abc123"]
}
Response
{
  "data": {
    "Collection_aggregated": [
      {
        "avg": Collection_aggregated_fields,
        "avgDistinct": Collection_aggregated_fields,
        "count": Collection_aggregated_count,
        "countAll": 987,
        "countDistinct": Collection_aggregated_count,
        "group": {},
        "max": Collection_aggregated_fields,
        "min": Collection_aggregated_fields,
        "sum": Collection_aggregated_fields,
        "sumDistinct": Collection_aggregated_fields
      }
    ]
  }
}

Collection_by_id

Response

Returns a Collection

Arguments
Name Description
id - ID!

Example

Query
query Collection_by_id($id: ID!) {
  Collection_by_id(id: $id) {
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    description
    hasMediaObject {
      additionalType
      applet {
        ...MediaObject_AppletFragment
      }
      applet_func {
        ...count_functionsFragment
      }
      articleBody
      assetId
      audio {
        ...directus_filesFragment
      }
      contentUrl
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasCharacter {
        ...Character_MediaObjectFragment
      }
      hasCharacter_func {
        ...count_functionsFragment
      }
      hasPin {
        ...PinnedMediaObjectFragment
      }
      hasPin_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      isPartOfCollection {
        ...CollectionFragment
      }
      isPartOfExhibition {
        ...MediaObject_ExhibitionFragment
      }
      isPartOfExhibition_func {
        ...count_functionsFragment
      }
      isPartOfNarrativePlace {
        ...NarrativePlace_MediaObjectFragment
      }
      isPartOfNarrativePlace_func {
        ...count_functionsFragment
      }
      keyword {
        ...Keyword_MediaObjectFragment
      }
      keyword_func {
        ...count_functionsFragment
      }
      mediaRelationship {
        ...MediaRelationshipFragment
      }
      mediaRelationship_func {
        ...count_functionsFragment
      }
      messageBody
      name
      page {
        ...MediaObject_filesFragment
      }
      page_func {
        ...count_functionsFragment
      }
      playerType
      sort
      status
      thumbnail {
        ...directus_filesFragment
      }
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    hasMediaObject_func {
      count
    }
    id
    isDeliveredByBeaconGroup {
      containedInExhibition {
        ...ExhibitionFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      directusId
      hasBeacon {
        ...BeaconFragment
      }
      hasBeacon_func {
        ...count_functionsFragment
      }
      hasCollection {
        ...CollectionFragment
      }
      hasCollection_func {
        ...count_functionsFragment
      }
      id
      keyword {
        ...Keyword_BeaconGroupFragment
      }
      keyword_func {
        ...count_functionsFragment
      }
      majorID
      name
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    isPartOfCollectionGroup {
      coverObject {
        ...MediaObjectFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasCollection {
        ...CollectionFragment
      }
      hasCollection_func {
        ...count_functionsFragment
      }
      id
      isPartOfExhibition {
        ...ExhibitionFragment
      }
      name
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    lockedImage {
      charset
      description
      duration
      embed
      filename_disk
      filename_download
      filesize
      folder {
        ...directus_foldersFragment
      }
      height
      id
      location
      metadata
      metadata_func {
        ...count_functionsFragment
      }
      modified_by {
        ...directus_usersFragment
      }
      modified_on
      modified_on_func {
        ...datetime_functionsFragment
      }
      storage
      tags
      tags_func {
        ...count_functionsFragment
      }
      title
      type
      uploaded_by {
        ...directus_usersFragment
      }
      uploaded_on
      uploaded_on_func {
        ...datetime_functionsFragment
      }
      width
    }
    name
    pushNotification {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      id
      isPartOfCollection {
        ...CollectionFragment
      }
      name
      sort
      status
      subtitle
      text
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    pushNotification_func {
      count
    }
    sort
    status
    unlockedImage {
      charset
      description
      duration
      embed
      filename_disk
      filename_download
      filesize
      folder {
        ...directus_foldersFragment
      }
      height
      id
      location
      metadata
      metadata_func {
        ...count_functionsFragment
      }
      modified_by {
        ...directus_usersFragment
      }
      modified_on
      modified_on_func {
        ...datetime_functionsFragment
      }
      storage
      tags
      tags_func {
        ...count_functionsFragment
      }
      title
      type
      uploaded_by {
        ...directus_usersFragment
      }
      uploaded_on
      uploaded_on_func {
        ...datetime_functionsFragment
      }
      width
    }
    userUnlockState {
      collection {
        ...CollectionFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      id
      sort
      status
      unlockStatus
      unlockedTime
      unlockedTime_func {
        ...datetime_functionsFragment
      }
      user {
        ...WormholeUserFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    userUnlockState_func {
      count
    }
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{"id": "4"}
Response
{
  "data": {
    "Collection_by_id": {
      "date_created": "2007-12-03",
      "date_created_func": datetime_functions,
      "date_updated": "2007-12-03",
      "date_updated_func": datetime_functions,
      "description": "abc123",
      "hasMediaObject": [MediaObject],
      "hasMediaObject_func": count_functions,
      "id": "4",
      "isDeliveredByBeaconGroup": BeaconGroup,
      "isPartOfCollectionGroup": CollectionGroup,
      "lockedImage": directus_files,
      "name": "abc123",
      "pushNotification": [PushNotification],
      "pushNotification_func": count_functions,
      "sort": 987,
      "status": "abc123",
      "unlockedImage": directus_files,
      "userUnlockState": [UserUnlockState],
      "userUnlockState_func": count_functions,
      "user_created": directus_users,
      "user_updated": directus_users
    }
  }
}

CollectionGroup

CollectionGroup

Response

Returns [CollectionGroup!]!

Arguments
Name Description
filter - CollectionGroup_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query CollectionGroup(
  $filter: CollectionGroup_filter,
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  CollectionGroup(
    filter: $filter,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    coverObject {
      additionalType
      applet {
        ...MediaObject_AppletFragment
      }
      applet_func {
        ...count_functionsFragment
      }
      articleBody
      assetId
      audio {
        ...directus_filesFragment
      }
      contentUrl
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasCharacter {
        ...Character_MediaObjectFragment
      }
      hasCharacter_func {
        ...count_functionsFragment
      }
      hasPin {
        ...PinnedMediaObjectFragment
      }
      hasPin_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      isPartOfCollection {
        ...CollectionFragment
      }
      isPartOfExhibition {
        ...MediaObject_ExhibitionFragment
      }
      isPartOfExhibition_func {
        ...count_functionsFragment
      }
      isPartOfNarrativePlace {
        ...NarrativePlace_MediaObjectFragment
      }
      isPartOfNarrativePlace_func {
        ...count_functionsFragment
      }
      keyword {
        ...Keyword_MediaObjectFragment
      }
      keyword_func {
        ...count_functionsFragment
      }
      mediaRelationship {
        ...MediaRelationshipFragment
      }
      mediaRelationship_func {
        ...count_functionsFragment
      }
      messageBody
      name
      page {
        ...MediaObject_filesFragment
      }
      page_func {
        ...count_functionsFragment
      }
      playerType
      sort
      status
      thumbnail {
        ...directus_filesFragment
      }
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    description
    hasCollection {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasMediaObject {
        ...MediaObjectFragment
      }
      hasMediaObject_func {
        ...count_functionsFragment
      }
      id
      isDeliveredByBeaconGroup {
        ...BeaconGroupFragment
      }
      isPartOfCollectionGroup {
        ...CollectionGroupFragment
      }
      lockedImage {
        ...directus_filesFragment
      }
      name
      pushNotification {
        ...PushNotificationFragment
      }
      pushNotification_func {
        ...count_functionsFragment
      }
      sort
      status
      unlockedImage {
        ...directus_filesFragment
      }
      userUnlockState {
        ...UserUnlockStateFragment
      }
      userUnlockState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    hasCollection_func {
      count
    }
    id
    isPartOfExhibition {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      directusId
      hasBeaconGroup {
        ...BeaconGroupFragment
      }
      hasBeaconGroup_func {
        ...count_functionsFragment
      }
      hasCollectionGroup {
        ...CollectionGroupFragment
      }
      hasCollectionGroup_func {
        ...count_functionsFragment
      }
      hasMediaObject {
        ...MediaObject_ExhibitionFragment
      }
      hasMediaObject_func {
        ...count_functionsFragment
      }
      id
      identifier {
        ...ExhibitionIdentifierFragment
      }
      identifier_func {
        ...count_functionsFragment
      }
      name
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    name
    sort
    status
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{
  "filter": CollectionGroup_filter,
  "limit": 987,
  "offset": 123,
  "page": 123,
  "search": "xyz789",
  "sort": ["abc123"]
}
Response
{
  "data": {
    "CollectionGroup": [
      {
        "coverObject": MediaObject,
        "date_created": "2007-12-03",
        "date_created_func": datetime_functions,
        "date_updated": "2007-12-03",
        "date_updated_func": datetime_functions,
        "description": "abc123",
        "hasCollection": [Collection],
        "hasCollection_func": count_functions,
        "id": 4,
        "isPartOfExhibition": Exhibition,
        "name": "abc123",
        "sort": 123,
        "status": "xyz789",
        "user_created": directus_users,
        "user_updated": directus_users
      }
    ]
  }
}

CollectionGroup_aggregated

Arguments
Name Description
filter - CollectionGroup_filter
groupBy - [String]
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query CollectionGroup_aggregated(
  $filter: CollectionGroup_filter,
  $groupBy: [String],
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  CollectionGroup_aggregated(
    filter: $filter,
    groupBy: $groupBy,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    avg {
      sort
    }
    avgDistinct {
      sort
    }
    count {
      coverObject
      date_created
      date_updated
      description
      hasCollection
      id
      isPartOfExhibition
      name
      sort
      status
      user_created
      user_updated
    }
    countAll
    countDistinct {
      coverObject
      date_created
      date_updated
      description
      hasCollection
      id
      isPartOfExhibition
      name
      sort
      status
      user_created
      user_updated
    }
    group
    max {
      sort
    }
    min {
      sort
    }
    sum {
      sort
    }
    sumDistinct {
      sort
    }
  }
}
Variables
{
  "filter": CollectionGroup_filter,
  "groupBy": ["xyz789"],
  "limit": 987,
  "offset": 123,
  "page": 123,
  "search": "abc123",
  "sort": ["abc123"]
}
Response
{
  "data": {
    "CollectionGroup_aggregated": [
      {
        "avg": CollectionGroup_aggregated_fields,
        "avgDistinct": CollectionGroup_aggregated_fields,
        "count": CollectionGroup_aggregated_count,
        "countAll": 123,
        "countDistinct": CollectionGroup_aggregated_count,
        "group": {},
        "max": CollectionGroup_aggregated_fields,
        "min": CollectionGroup_aggregated_fields,
        "sum": CollectionGroup_aggregated_fields,
        "sumDistinct": CollectionGroup_aggregated_fields
      }
    ]
  }
}

CollectionGroup_by_id

Response

Returns a CollectionGroup

Arguments
Name Description
id - ID!

Example

Query
query CollectionGroup_by_id($id: ID!) {
  CollectionGroup_by_id(id: $id) {
    coverObject {
      additionalType
      applet {
        ...MediaObject_AppletFragment
      }
      applet_func {
        ...count_functionsFragment
      }
      articleBody
      assetId
      audio {
        ...directus_filesFragment
      }
      contentUrl
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasCharacter {
        ...Character_MediaObjectFragment
      }
      hasCharacter_func {
        ...count_functionsFragment
      }
      hasPin {
        ...PinnedMediaObjectFragment
      }
      hasPin_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      isPartOfCollection {
        ...CollectionFragment
      }
      isPartOfExhibition {
        ...MediaObject_ExhibitionFragment
      }
      isPartOfExhibition_func {
        ...count_functionsFragment
      }
      isPartOfNarrativePlace {
        ...NarrativePlace_MediaObjectFragment
      }
      isPartOfNarrativePlace_func {
        ...count_functionsFragment
      }
      keyword {
        ...Keyword_MediaObjectFragment
      }
      keyword_func {
        ...count_functionsFragment
      }
      mediaRelationship {
        ...MediaRelationshipFragment
      }
      mediaRelationship_func {
        ...count_functionsFragment
      }
      messageBody
      name
      page {
        ...MediaObject_filesFragment
      }
      page_func {
        ...count_functionsFragment
      }
      playerType
      sort
      status
      thumbnail {
        ...directus_filesFragment
      }
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    description
    hasCollection {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasMediaObject {
        ...MediaObjectFragment
      }
      hasMediaObject_func {
        ...count_functionsFragment
      }
      id
      isDeliveredByBeaconGroup {
        ...BeaconGroupFragment
      }
      isPartOfCollectionGroup {
        ...CollectionGroupFragment
      }
      lockedImage {
        ...directus_filesFragment
      }
      name
      pushNotification {
        ...PushNotificationFragment
      }
      pushNotification_func {
        ...count_functionsFragment
      }
      sort
      status
      unlockedImage {
        ...directus_filesFragment
      }
      userUnlockState {
        ...UserUnlockStateFragment
      }
      userUnlockState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    hasCollection_func {
      count
    }
    id
    isPartOfExhibition {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      directusId
      hasBeaconGroup {
        ...BeaconGroupFragment
      }
      hasBeaconGroup_func {
        ...count_functionsFragment
      }
      hasCollectionGroup {
        ...CollectionGroupFragment
      }
      hasCollectionGroup_func {
        ...count_functionsFragment
      }
      hasMediaObject {
        ...MediaObject_ExhibitionFragment
      }
      hasMediaObject_func {
        ...count_functionsFragment
      }
      id
      identifier {
        ...ExhibitionIdentifierFragment
      }
      identifier_func {
        ...count_functionsFragment
      }
      name
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    name
    sort
    status
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{"id": "4"}
Response
{
  "data": {
    "CollectionGroup_by_id": {
      "coverObject": MediaObject,
      "date_created": "2007-12-03",
      "date_created_func": datetime_functions,
      "date_updated": "2007-12-03",
      "date_updated_func": datetime_functions,
      "description": "xyz789",
      "hasCollection": [Collection],
      "hasCollection_func": count_functions,
      "id": 4,
      "isPartOfExhibition": Exhibition,
      "name": "xyz789",
      "sort": 987,
      "status": "xyz789",
      "user_created": directus_users,
      "user_updated": directus_users
    }
  }
}

Contributor

Contributor

Response

Returns [Contributor!]!

Arguments
Name Description
filter - Contributor_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query Contributor(
  $filter: Contributor_filter,
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  Contributor(
    filter: $filter,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    description
    familyName
    givenName
    id
    image {
      charset
      description
      duration
      embed
      filename_disk
      filename_download
      filesize
      folder {
        ...directus_foldersFragment
      }
      height
      id
      location
      metadata
      metadata_func {
        ...count_functionsFragment
      }
      modified_by {
        ...directus_usersFragment
      }
      modified_on
      modified_on_func {
        ...datetime_functionsFragment
      }
      storage
      tags
      tags_func {
        ...count_functionsFragment
      }
      title
      type
      uploaded_by {
        ...directus_usersFragment
      }
      uploaded_on
      uploaded_on_func {
        ...datetime_functionsFragment
      }
      width
    }
    mediaRelationship {
      contributor {
        ...ContributorFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      hasMediaObject {
        ...MediaObjectFragment
      }
      id
      roleName {
        ...CreditsRoleFragment
      }
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    mediaRelationship_func {
      count
    }
    sort
    status
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{
  "filter": Contributor_filter,
  "limit": 987,
  "offset": 987,
  "page": 123,
  "search": "abc123",
  "sort": ["abc123"]
}
Response
{
  "data": {
    "Contributor": [
      {
        "date_created": "2007-12-03",
        "date_created_func": datetime_functions,
        "date_updated": "2007-12-03",
        "date_updated_func": datetime_functions,
        "description": "xyz789",
        "familyName": "xyz789",
        "givenName": "abc123",
        "id": "4",
        "image": directus_files,
        "mediaRelationship": [MediaRelationship],
        "mediaRelationship_func": count_functions,
        "sort": 123,
        "status": "abc123",
        "user_created": directus_users,
        "user_updated": directus_users
      }
    ]
  }
}

Contributor_aggregated

Response

Returns [Contributor_aggregated!]!

Arguments
Name Description
filter - Contributor_filter
groupBy - [String]
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query Contributor_aggregated(
  $filter: Contributor_filter,
  $groupBy: [String],
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  Contributor_aggregated(
    filter: $filter,
    groupBy: $groupBy,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    avg {
      sort
    }
    avgDistinct {
      sort
    }
    count {
      date_created
      date_updated
      description
      familyName
      givenName
      id
      image
      mediaRelationship
      sort
      status
      user_created
      user_updated
    }
    countAll
    countDistinct {
      date_created
      date_updated
      description
      familyName
      givenName
      id
      image
      mediaRelationship
      sort
      status
      user_created
      user_updated
    }
    group
    max {
      sort
    }
    min {
      sort
    }
    sum {
      sort
    }
    sumDistinct {
      sort
    }
  }
}
Variables
{
  "filter": Contributor_filter,
  "groupBy": ["abc123"],
  "limit": 987,
  "offset": 123,
  "page": 987,
  "search": "abc123",
  "sort": ["abc123"]
}
Response
{
  "data": {
    "Contributor_aggregated": [
      {
        "avg": Contributor_aggregated_fields,
        "avgDistinct": Contributor_aggregated_fields,
        "count": Contributor_aggregated_count,
        "countAll": 987,
        "countDistinct": Contributor_aggregated_count,
        "group": {},
        "max": Contributor_aggregated_fields,
        "min": Contributor_aggregated_fields,
        "sum": Contributor_aggregated_fields,
        "sumDistinct": Contributor_aggregated_fields
      }
    ]
  }
}

Contributor_by_id

Response

Returns a Contributor

Arguments
Name Description
id - ID!

Example

Query
query Contributor_by_id($id: ID!) {
  Contributor_by_id(id: $id) {
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    description
    familyName
    givenName
    id
    image {
      charset
      description
      duration
      embed
      filename_disk
      filename_download
      filesize
      folder {
        ...directus_foldersFragment
      }
      height
      id
      location
      metadata
      metadata_func {
        ...count_functionsFragment
      }
      modified_by {
        ...directus_usersFragment
      }
      modified_on
      modified_on_func {
        ...datetime_functionsFragment
      }
      storage
      tags
      tags_func {
        ...count_functionsFragment
      }
      title
      type
      uploaded_by {
        ...directus_usersFragment
      }
      uploaded_on
      uploaded_on_func {
        ...datetime_functionsFragment
      }
      width
    }
    mediaRelationship {
      contributor {
        ...ContributorFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      hasMediaObject {
        ...MediaObjectFragment
      }
      id
      roleName {
        ...CreditsRoleFragment
      }
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    mediaRelationship_func {
      count
    }
    sort
    status
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{"id": 4}
Response
{
  "data": {
    "Contributor_by_id": {
      "date_created": "2007-12-03",
      "date_created_func": datetime_functions,
      "date_updated": "2007-12-03",
      "date_updated_func": datetime_functions,
      "description": "abc123",
      "familyName": "xyz789",
      "givenName": "abc123",
      "id": 4,
      "image": directus_files,
      "mediaRelationship": [MediaRelationship],
      "mediaRelationship_func": count_functions,
      "sort": 987,
      "status": "abc123",
      "user_created": directus_users,
      "user_updated": directus_users
    }
  }
}

Country

Country

Description

fetch data from the table: "Country"

Response

Returns [Country!]!

Arguments
Name Description
distinct_on - [Country_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [Country_order_by!] sort the rows by one or more columns
where - Country_bool_exp filter the rows returned

Example

Query
query Country(
  $distinct_on: [Country_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [Country_order_by!],
  $where: Country_bool_exp
) {
  Country(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    alternateName
    id
    identifier {
      country {
        ...CountryFragment
      }
      countryId
      id
      name
      value
      valueReference
    }
    name
    person {
      address {
        ...PostalAddressFragment
      }
      affiliation {
        ...OrganizationFragment
      }
      affiliationId
      birthDate
      dateCreated
      dateModified
      email
      familyName
      givenName
      homeLocation {
        ...PostalAddressFragment
      }
      homeLocationId
      honorificPrefix
      honorificSuffix
      id
      identifier {
        ...PersonIdentifierFragment
      }
      invoice {
        ...InvoiceFragment
      }
      nationality {
        ...CountryFragment
      }
      nationalityId
      order {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation {
        ...ReservationFragment
      }
      reservedTicket {
        ...TicketFragment
      }
      telephone
    }
    postalAddresses {
      addressCountry {
        ...CountryFragment
      }
      addressCountryId
      addressLocality
      addressRegion
      id
      identifier {
        ...PostalAddressIdentifierFragment
      }
      name
      order {
        ...OrderFragment
      }
      organization {
        ...OrganizationFragment
      }
      organizationId
      person {
        ...PersonFragment
      }
      place {
        ...PlaceFragment
      }
      placeId
      postOfficeBoxNumber
      postalCode
      streetAddress
      telephone
    }
  }
}
Variables
{
  "distinct_on": ["alternateName"],
  "limit": 987,
  "offset": 123,
  "order_by": [Country_order_by],
  "where": Country_bool_exp
}
Response
{
  "data": {
    "Country": [
      {
        "alternateName": "abc123",
        "id": uuid,
        "identifier": [CountryIdentifier],
        "name": "xyz789",
        "person": [Person],
        "postalAddresses": [PostalAddress]
      }
    ]
  }
}

Country_by_pk

Description

fetch data from the table: "Country" using primary key columns

Response

Returns a Country

Arguments
Name Description
id - uuid!

Example

Query
query Country_by_pk($id: uuid!) {
  Country_by_pk(id: $id) {
    alternateName
    id
    identifier {
      country {
        ...CountryFragment
      }
      countryId
      id
      name
      value
      valueReference
    }
    name
    person {
      address {
        ...PostalAddressFragment
      }
      affiliation {
        ...OrganizationFragment
      }
      affiliationId
      birthDate
      dateCreated
      dateModified
      email
      familyName
      givenName
      homeLocation {
        ...PostalAddressFragment
      }
      homeLocationId
      honorificPrefix
      honorificSuffix
      id
      identifier {
        ...PersonIdentifierFragment
      }
      invoice {
        ...InvoiceFragment
      }
      nationality {
        ...CountryFragment
      }
      nationalityId
      order {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation {
        ...ReservationFragment
      }
      reservedTicket {
        ...TicketFragment
      }
      telephone
    }
    postalAddresses {
      addressCountry {
        ...CountryFragment
      }
      addressCountryId
      addressLocality
      addressRegion
      id
      identifier {
        ...PostalAddressIdentifierFragment
      }
      name
      order {
        ...OrderFragment
      }
      organization {
        ...OrganizationFragment
      }
      organizationId
      person {
        ...PersonFragment
      }
      place {
        ...PlaceFragment
      }
      placeId
      postOfficeBoxNumber
      postalCode
      streetAddress
      telephone
    }
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "Country_by_pk": {
      "alternateName": "abc123",
      "id": uuid,
      "identifier": [CountryIdentifier],
      "name": "xyz789",
      "person": [Person],
      "postalAddresses": [PostalAddress]
    }
  }
}

CountryIdentifier

CountryIdentifier

Description

fetch data from the table: "CountryIdentifier"

Response

Returns [CountryIdentifier!]!

Arguments
Name Description
distinct_on - [CountryIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [CountryIdentifier_order_by!] sort the rows by one or more columns
where - CountryIdentifier_bool_exp filter the rows returned

Example

Query
query CountryIdentifier(
  $distinct_on: [CountryIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [CountryIdentifier_order_by!],
  $where: CountryIdentifier_bool_exp
) {
  CountryIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    country {
      alternateName
      id
      identifier {
        ...CountryIdentifierFragment
      }
      name
      person {
        ...PersonFragment
      }
      postalAddresses {
        ...PostalAddressFragment
      }
    }
    countryId
    id
    name
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["countryId"],
  "limit": 987,
  "offset": 987,
  "order_by": [CountryIdentifier_order_by],
  "where": CountryIdentifier_bool_exp
}
Response
{
  "data": {
    "CountryIdentifier": [
      {
        "country": Country,
        "countryId": uuid,
        "id": uuid,
        "name": "xyz789",
        "value": "abc123",
        "valueReference": "xyz789"
      }
    ]
  }
}

CountryIdentifier_by_pk

Description

fetch data from the table: "CountryIdentifier" using primary key columns

Response

Returns a CountryIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query CountryIdentifier_by_pk($id: uuid!) {
  CountryIdentifier_by_pk(id: $id) {
    country {
      alternateName
      id
      identifier {
        ...CountryIdentifierFragment
      }
      name
      person {
        ...PersonFragment
      }
      postalAddresses {
        ...PostalAddressFragment
      }
    }
    countryId
    id
    name
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "CountryIdentifier_by_pk": {
      "country": Country,
      "countryId": uuid,
      "id": uuid,
      "name": "xyz789",
      "value": "xyz789",
      "valueReference": "xyz789"
    }
  }
}

CreativeWorkIdentifier

CreativeWorkIdentifier

Description

fetch data from the table: "CreativeWorkIdentifier"

Response

Returns [CreativeWorkIdentifier!]!

Arguments
Name Description
distinct_on - [CreativeWorkIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [CreativeWorkIdentifier_order_by!] sort the rows by one or more columns
where - CreativeWorkIdentifier_bool_exp filter the rows returned

Example

Query
query CreativeWorkIdentifier(
  $distinct_on: [CreativeWorkIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [CreativeWorkIdentifier_order_by!],
  $where: CreativeWorkIdentifier_bool_exp
) {
  CreativeWorkIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    creativeWorkId
    id
    name
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["creativeWorkId"],
  "limit": 987,
  "offset": 987,
  "order_by": [CreativeWorkIdentifier_order_by],
  "where": CreativeWorkIdentifier_bool_exp
}
Response
{
  "data": {
    "CreativeWorkIdentifier": [
      {
        "creativeWorkId": uuid,
        "id": uuid,
        "name": "xyz789",
        "value": "abc123",
        "valueReference": "abc123"
      }
    ]
  }
}

CreativeWorkIdentifier_by_pk

Description

fetch data from the table: "CreativeWorkIdentifier" using primary key columns

Response

Returns a CreativeWorkIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query CreativeWorkIdentifier_by_pk($id: uuid!) {
  CreativeWorkIdentifier_by_pk(id: $id) {
    creativeWorkId
    id
    name
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "CreativeWorkIdentifier_by_pk": {
      "creativeWorkId": uuid,
      "id": uuid,
      "name": "abc123",
      "value": "abc123",
      "valueReference": "xyz789"
    }
  }
}

CreditsRole

CreditsRole

Response

Returns [CreditsRole!]!

Arguments
Name Description
filter - CreditsRole_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query CreditsRole(
  $filter: CreditsRole_filter,
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  CreditsRole(
    filter: $filter,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    id
    mediaRelationship {
      contributor {
        ...ContributorFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      hasMediaObject {
        ...MediaObjectFragment
      }
      id
      roleName {
        ...CreditsRoleFragment
      }
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    mediaRelationship_func {
      count
    }
    name
    sort
    status
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{
  "filter": CreditsRole_filter,
  "limit": 987,
  "offset": 123,
  "page": 987,
  "search": "abc123",
  "sort": ["xyz789"]
}
Response
{
  "data": {
    "CreditsRole": [
      {
        "date_created": "2007-12-03",
        "date_created_func": datetime_functions,
        "date_updated": "2007-12-03",
        "date_updated_func": datetime_functions,
        "id": 4,
        "mediaRelationship": [MediaRelationship],
        "mediaRelationship_func": count_functions,
        "name": "abc123",
        "sort": 987,
        "status": "abc123",
        "user_created": directus_users,
        "user_updated": directus_users
      }
    ]
  }
}

CreditsRole_aggregated

Response

Returns [CreditsRole_aggregated!]!

Arguments
Name Description
filter - CreditsRole_filter
groupBy - [String]
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query CreditsRole_aggregated(
  $filter: CreditsRole_filter,
  $groupBy: [String],
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  CreditsRole_aggregated(
    filter: $filter,
    groupBy: $groupBy,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    avg {
      sort
    }
    avgDistinct {
      sort
    }
    count {
      date_created
      date_updated
      id
      mediaRelationship
      name
      sort
      status
      user_created
      user_updated
    }
    countAll
    countDistinct {
      date_created
      date_updated
      id
      mediaRelationship
      name
      sort
      status
      user_created
      user_updated
    }
    group
    max {
      sort
    }
    min {
      sort
    }
    sum {
      sort
    }
    sumDistinct {
      sort
    }
  }
}
Variables
{
  "filter": CreditsRole_filter,
  "groupBy": ["xyz789"],
  "limit": 123,
  "offset": 123,
  "page": 987,
  "search": "xyz789",
  "sort": ["xyz789"]
}
Response
{
  "data": {
    "CreditsRole_aggregated": [
      {
        "avg": CreditsRole_aggregated_fields,
        "avgDistinct": CreditsRole_aggregated_fields,
        "count": CreditsRole_aggregated_count,
        "countAll": 987,
        "countDistinct": CreditsRole_aggregated_count,
        "group": {},
        "max": CreditsRole_aggregated_fields,
        "min": CreditsRole_aggregated_fields,
        "sum": CreditsRole_aggregated_fields,
        "sumDistinct": CreditsRole_aggregated_fields
      }
    ]
  }
}

CreditsRole_by_id

Response

Returns a CreditsRole

Arguments
Name Description
id - ID!

Example

Query
query CreditsRole_by_id($id: ID!) {
  CreditsRole_by_id(id: $id) {
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    id
    mediaRelationship {
      contributor {
        ...ContributorFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      hasMediaObject {
        ...MediaObjectFragment
      }
      id
      roleName {
        ...CreditsRoleFragment
      }
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    mediaRelationship_func {
      count
    }
    name
    sort
    status
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{"id": "4"}
Response
{
  "data": {
    "CreditsRole_by_id": {
      "date_created": "2007-12-03",
      "date_created_func": datetime_functions,
      "date_updated": "2007-12-03",
      "date_updated_func": datetime_functions,
      "id": 4,
      "mediaRelationship": [MediaRelationship],
      "mediaRelationship_func": count_functions,
      "name": "xyz789",
      "sort": 123,
      "status": "abc123",
      "user_created": directus_users,
      "user_updated": directus_users
    }
  }
}

DeliveryEventIdentifier

DeliveryEventIdentifier

Description

fetch data from the table: "DeliveryEventIdentifier"

Response

Returns [DeliveryEventIdentifier!]!

Arguments
Name Description
distinct_on - [DeliveryEventIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [DeliveryEventIdentifier_order_by!] sort the rows by one or more columns
where - DeliveryEventIdentifier_bool_exp filter the rows returned

Example

Query
query DeliveryEventIdentifier(
  $distinct_on: [DeliveryEventIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [DeliveryEventIdentifier_order_by!],
  $where: DeliveryEventIdentifier_bool_exp
) {
  DeliveryEventIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    deliveryEventId
    id
    name
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["deliveryEventId"],
  "limit": 987,
  "offset": 987,
  "order_by": [DeliveryEventIdentifier_order_by],
  "where": DeliveryEventIdentifier_bool_exp
}
Response
{
  "data": {
    "DeliveryEventIdentifier": [
      {
        "deliveryEventId": uuid,
        "id": uuid,
        "name": "xyz789",
        "value": "abc123",
        "valueReference": "xyz789"
      }
    ]
  }
}

DeliveryEventIdentifier_by_pk

Description

fetch data from the table: "DeliveryEventIdentifier" using primary key columns

Response

Returns a DeliveryEventIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query DeliveryEventIdentifier_by_pk($id: uuid!) {
  DeliveryEventIdentifier_by_pk(id: $id) {
    deliveryEventId
    id
    name
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "DeliveryEventIdentifier_by_pk": {
      "deliveryEventId": uuid,
      "id": uuid,
      "name": "abc123",
      "value": "xyz789",
      "valueReference": "abc123"
    }
  }
}

DeliveryMethodIdentifier

DeliveryMethodIdentifier

Description

fetch data from the table: "DeliveryMethodIdentifier"

Response

Returns [DeliveryMethodIdentifier!]!

Arguments
Name Description
distinct_on - [DeliveryMethodIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [DeliveryMethodIdentifier_order_by!] sort the rows by one or more columns
where - DeliveryMethodIdentifier_bool_exp filter the rows returned

Example

Query
query DeliveryMethodIdentifier(
  $distinct_on: [DeliveryMethodIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [DeliveryMethodIdentifier_order_by!],
  $where: DeliveryMethodIdentifier_bool_exp
) {
  DeliveryMethodIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    deliveryMethodId
    id
    name
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["deliveryMethodId"],
  "limit": 123,
  "offset": 987,
  "order_by": [DeliveryMethodIdentifier_order_by],
  "where": DeliveryMethodIdentifier_bool_exp
}
Response
{
  "data": {
    "DeliveryMethodIdentifier": [
      {
        "deliveryMethodId": uuid,
        "id": uuid,
        "name": "xyz789",
        "value": "xyz789",
        "valueReference": "xyz789"
      }
    ]
  }
}

DeliveryMethodIdentifier_by_pk

Description

fetch data from the table: "DeliveryMethodIdentifier" using primary key columns

Response

Returns a DeliveryMethodIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query DeliveryMethodIdentifier_by_pk($id: uuid!) {
  DeliveryMethodIdentifier_by_pk(id: $id) {
    deliveryMethodId
    id
    name
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "DeliveryMethodIdentifier_by_pk": {
      "deliveryMethodId": uuid,
      "id": uuid,
      "name": "xyz789",
      "value": "xyz789",
      "valueReference": "abc123"
    }
  }
}

Entry

Entry

Description

fetch data from the table: "Entry"

Response

Returns [Entry!]!

Arguments
Name Description
distinct_on - [Entry_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [Entry_order_by!] sort the rows by one or more columns
where - Entry_bool_exp filter the rows returned

Example

Query
query Entry(
  $distinct_on: [Entry_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [Entry_order_by!],
  $where: Entry_bool_exp
) {
  Entry(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    dateCreated
    dateDeleted
    dateModified
    doorTime
    endDate
    eventStatus {
      description
      name
    }
    eventStatusTypeName
    id
    identifier {
      entry {
        ...EntryFragment
      }
      entryId
      id
      name
      value
      valueReference
    }
    maximumAttendeeCapacity
    maximumPhysicalAttendeeCapacity
    maximumVirtualAttendeeCapacity
    previousStartDate
    reservationFor {
      bookingTime
      broker {
        ...OrganizationFragment
      }
      brokerId
      id
      identifier {
        ...ReservationIdentifierFragment
      }
      modifiedTime
      orderId
      partOfOrder {
        ...OrderFragment
      }
      priceCurrency
      programMembershipUsed {
        ...ProgramMembershipFragment
      }
      programMembershipUsedId
      provider {
        ...OrganizationFragment
      }
      providerId
      reservationFor {
        ...EntryFragment
      }
      reservationForId
      reservationId
      reservationStatus {
        ...ReservationStatusTypeFragment
      }
      reservationStatusTypeName
      reservedTicket {
        ...TicketFragment
      }
      totalPrice
      underName {
        ...PersonFragment
      }
      underNameId
    }
    startDate
    superEvent {
      duration
      eventStatus {
        ...EventStatusTypeFragment
      }
      eventStatusTypeName
      id
      identifier {
        ...EventIdentifierFragment
      }
      isAccessibleForFree
      location {
        ...PlaceFragment
      }
      locationId
      name
      subEvent {
        ...EntryFragment
      }
      typicalAgeRange
    }
    superEventId
  }
}
Variables
{
  "distinct_on": ["dateCreated"],
  "limit": 987,
  "offset": 123,
  "order_by": [Entry_order_by],
  "where": Entry_bool_exp
}
Response
{
  "data": {
    "Entry": [
      {
        "dateCreated": timestamp,
        "dateDeleted": timestamp,
        "dateModified": timestamp,
        "doorTime": timestamp,
        "endDate": timestamp,
        "eventStatus": EventStatusType,
        "eventStatusTypeName": "EventCancelled",
        "id": uuid,
        "identifier": [EntryIdentifier],
        "maximumAttendeeCapacity": 123,
        "maximumPhysicalAttendeeCapacity": 987,
        "maximumVirtualAttendeeCapacity": 123,
        "previousStartDate": timestamp,
        "reservationFor": [Reservation],
        "startDate": timestamp,
        "superEvent": Event,
        "superEventId": uuid
      }
    ]
  }
}

Entry_by_pk

Description

fetch data from the table: "Entry" using primary key columns

Response

Returns an Entry

Arguments
Name Description
id - uuid!

Example

Query
query Entry_by_pk($id: uuid!) {
  Entry_by_pk(id: $id) {
    dateCreated
    dateDeleted
    dateModified
    doorTime
    endDate
    eventStatus {
      description
      name
    }
    eventStatusTypeName
    id
    identifier {
      entry {
        ...EntryFragment
      }
      entryId
      id
      name
      value
      valueReference
    }
    maximumAttendeeCapacity
    maximumPhysicalAttendeeCapacity
    maximumVirtualAttendeeCapacity
    previousStartDate
    reservationFor {
      bookingTime
      broker {
        ...OrganizationFragment
      }
      brokerId
      id
      identifier {
        ...ReservationIdentifierFragment
      }
      modifiedTime
      orderId
      partOfOrder {
        ...OrderFragment
      }
      priceCurrency
      programMembershipUsed {
        ...ProgramMembershipFragment
      }
      programMembershipUsedId
      provider {
        ...OrganizationFragment
      }
      providerId
      reservationFor {
        ...EntryFragment
      }
      reservationForId
      reservationId
      reservationStatus {
        ...ReservationStatusTypeFragment
      }
      reservationStatusTypeName
      reservedTicket {
        ...TicketFragment
      }
      totalPrice
      underName {
        ...PersonFragment
      }
      underNameId
    }
    startDate
    superEvent {
      duration
      eventStatus {
        ...EventStatusTypeFragment
      }
      eventStatusTypeName
      id
      identifier {
        ...EventIdentifierFragment
      }
      isAccessibleForFree
      location {
        ...PlaceFragment
      }
      locationId
      name
      subEvent {
        ...EntryFragment
      }
      typicalAgeRange
    }
    superEventId
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "Entry_by_pk": {
      "dateCreated": timestamp,
      "dateDeleted": timestamp,
      "dateModified": timestamp,
      "doorTime": timestamp,
      "endDate": timestamp,
      "eventStatus": EventStatusType,
      "eventStatusTypeName": "EventCancelled",
      "id": uuid,
      "identifier": [EntryIdentifier],
      "maximumAttendeeCapacity": 123,
      "maximumPhysicalAttendeeCapacity": 987,
      "maximumVirtualAttendeeCapacity": 987,
      "previousStartDate": timestamp,
      "reservationFor": [Reservation],
      "startDate": timestamp,
      "superEvent": Event,
      "superEventId": uuid
    }
  }
}

EntryIdentifier

EntryIdentifier

Description

fetch data from the table: "EntryIdentifier"

Response

Returns [EntryIdentifier!]!

Arguments
Name Description
distinct_on - [EntryIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [EntryIdentifier_order_by!] sort the rows by one or more columns
where - EntryIdentifier_bool_exp filter the rows returned

Example

Query
query EntryIdentifier(
  $distinct_on: [EntryIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [EntryIdentifier_order_by!],
  $where: EntryIdentifier_bool_exp
) {
  EntryIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    entry {
      dateCreated
      dateDeleted
      dateModified
      doorTime
      endDate
      eventStatus {
        ...EventStatusTypeFragment
      }
      eventStatusTypeName
      id
      identifier {
        ...EntryIdentifierFragment
      }
      maximumAttendeeCapacity
      maximumPhysicalAttendeeCapacity
      maximumVirtualAttendeeCapacity
      previousStartDate
      reservationFor {
        ...ReservationFragment
      }
      startDate
      superEvent {
        ...EventFragment
      }
      superEventId
    }
    entryId
    id
    name
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["entryId"],
  "limit": 123,
  "offset": 123,
  "order_by": [EntryIdentifier_order_by],
  "where": EntryIdentifier_bool_exp
}
Response
{
  "data": {
    "EntryIdentifier": [
      {
        "entry": Entry,
        "entryId": uuid,
        "id": uuid,
        "name": "xyz789",
        "value": "abc123",
        "valueReference": "xyz789"
      }
    ]
  }
}

EntryIdentifier_by_pk

Description

fetch data from the table: "EntryIdentifier" using primary key columns

Response

Returns an EntryIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query EntryIdentifier_by_pk($id: uuid!) {
  EntryIdentifier_by_pk(id: $id) {
    entry {
      dateCreated
      dateDeleted
      dateModified
      doorTime
      endDate
      eventStatus {
        ...EventStatusTypeFragment
      }
      eventStatusTypeName
      id
      identifier {
        ...EntryIdentifierFragment
      }
      maximumAttendeeCapacity
      maximumPhysicalAttendeeCapacity
      maximumVirtualAttendeeCapacity
      previousStartDate
      reservationFor {
        ...ReservationFragment
      }
      startDate
      superEvent {
        ...EventFragment
      }
      superEventId
    }
    entryId
    id
    name
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "EntryIdentifier_by_pk": {
      "entry": Entry,
      "entryId": uuid,
      "id": uuid,
      "name": "abc123",
      "value": "xyz789",
      "valueReference": "xyz789"
    }
  }
}

Event

Event

Description

fetch data from the table: "Event"

Response

Returns [Event!]!

Arguments
Name Description
distinct_on - [Event_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [Event_order_by!] sort the rows by one or more columns
where - Event_bool_exp filter the rows returned

Example

Query
query Event(
  $distinct_on: [Event_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [Event_order_by!],
  $where: Event_bool_exp
) {
  Event(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    duration
    eventStatus {
      description
      name
    }
    eventStatusTypeName
    id
    identifier {
      event {
        ...EventFragment
      }
      eventId
      id
      name
      value
      valueReference
    }
    isAccessibleForFree
    location {
      additionalProperty
      address {
        ...PostalAddressFragment
      }
      currenciesAccepted
      description
      event {
        ...EventFragment
      }
      hasMap
      id
      identifier {
        ...PlaceIdentifierFragment
      }
      isAccessibleForFree
      latitude
      longitude
      maximumAttendeeCapacity
      name
      organization {
        ...OrganizationFragment
      }
      priceRange
      publicAccess
      slogan
      smokingAllowed
      telephone
      tourBookingPage
      url
    }
    locationId
    name
    subEvent {
      dateCreated
      dateDeleted
      dateModified
      doorTime
      endDate
      eventStatus {
        ...EventStatusTypeFragment
      }
      eventStatusTypeName
      id
      identifier {
        ...EntryIdentifierFragment
      }
      maximumAttendeeCapacity
      maximumPhysicalAttendeeCapacity
      maximumVirtualAttendeeCapacity
      previousStartDate
      reservationFor {
        ...ReservationFragment
      }
      startDate
      superEvent {
        ...EventFragment
      }
      superEventId
    }
    typicalAgeRange
  }
}
Variables
{
  "distinct_on": ["duration"],
  "limit": 987,
  "offset": 123,
  "order_by": [Event_order_by],
  "where": Event_bool_exp
}
Response
{
  "data": {
    "Event": [
      {
        "duration": "xyz789",
        "eventStatus": EventStatusType,
        "eventStatusTypeName": "EventCancelled",
        "id": uuid,
        "identifier": [EventIdentifier],
        "isAccessibleForFree": true,
        "location": Place,
        "locationId": uuid,
        "name": "abc123",
        "subEvent": [Entry],
        "typicalAgeRange": "xyz789"
      }
    ]
  }
}

Event_by_pk

Description

fetch data from the table: "Event" using primary key columns

Response

Returns an Event

Arguments
Name Description
id - uuid!

Example

Query
query Event_by_pk($id: uuid!) {
  Event_by_pk(id: $id) {
    duration
    eventStatus {
      description
      name
    }
    eventStatusTypeName
    id
    identifier {
      event {
        ...EventFragment
      }
      eventId
      id
      name
      value
      valueReference
    }
    isAccessibleForFree
    location {
      additionalProperty
      address {
        ...PostalAddressFragment
      }
      currenciesAccepted
      description
      event {
        ...EventFragment
      }
      hasMap
      id
      identifier {
        ...PlaceIdentifierFragment
      }
      isAccessibleForFree
      latitude
      longitude
      maximumAttendeeCapacity
      name
      organization {
        ...OrganizationFragment
      }
      priceRange
      publicAccess
      slogan
      smokingAllowed
      telephone
      tourBookingPage
      url
    }
    locationId
    name
    subEvent {
      dateCreated
      dateDeleted
      dateModified
      doorTime
      endDate
      eventStatus {
        ...EventStatusTypeFragment
      }
      eventStatusTypeName
      id
      identifier {
        ...EntryIdentifierFragment
      }
      maximumAttendeeCapacity
      maximumPhysicalAttendeeCapacity
      maximumVirtualAttendeeCapacity
      previousStartDate
      reservationFor {
        ...ReservationFragment
      }
      startDate
      superEvent {
        ...EventFragment
      }
      superEventId
    }
    typicalAgeRange
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "Event_by_pk": {
      "duration": "abc123",
      "eventStatus": EventStatusType,
      "eventStatusTypeName": "EventCancelled",
      "id": uuid,
      "identifier": [EventIdentifier],
      "isAccessibleForFree": false,
      "location": Place,
      "locationId": uuid,
      "name": "xyz789",
      "subEvent": [Entry],
      "typicalAgeRange": "xyz789"
    }
  }
}

EventIdentifier

EventIdentifier

Description

fetch data from the table: "EventIdentifier"

Response

Returns [EventIdentifier!]!

Arguments
Name Description
distinct_on - [EventIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [EventIdentifier_order_by!] sort the rows by one or more columns
where - EventIdentifier_bool_exp filter the rows returned

Example

Query
query EventIdentifier(
  $distinct_on: [EventIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [EventIdentifier_order_by!],
  $where: EventIdentifier_bool_exp
) {
  EventIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    event {
      duration
      eventStatus {
        ...EventStatusTypeFragment
      }
      eventStatusTypeName
      id
      identifier {
        ...EventIdentifierFragment
      }
      isAccessibleForFree
      location {
        ...PlaceFragment
      }
      locationId
      name
      subEvent {
        ...EntryFragment
      }
      typicalAgeRange
    }
    eventId
    id
    name
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["eventId"],
  "limit": 987,
  "offset": 123,
  "order_by": [EventIdentifier_order_by],
  "where": EventIdentifier_bool_exp
}
Response
{
  "data": {
    "EventIdentifier": [
      {
        "event": Event,
        "eventId": uuid,
        "id": uuid,
        "name": "xyz789",
        "value": "abc123",
        "valueReference": "xyz789"
      }
    ]
  }
}

EventIdentifier_by_pk

Description

fetch data from the table: "EventIdentifier" using primary key columns

Response

Returns an EventIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query EventIdentifier_by_pk($id: uuid!) {
  EventIdentifier_by_pk(id: $id) {
    event {
      duration
      eventStatus {
        ...EventStatusTypeFragment
      }
      eventStatusTypeName
      id
      identifier {
        ...EventIdentifierFragment
      }
      isAccessibleForFree
      location {
        ...PlaceFragment
      }
      locationId
      name
      subEvent {
        ...EntryFragment
      }
      typicalAgeRange
    }
    eventId
    id
    name
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "EventIdentifier_by_pk": {
      "event": Event,
      "eventId": uuid,
      "id": uuid,
      "name": "xyz789",
      "value": "xyz789",
      "valueReference": "xyz789"
    }
  }
}

EventStatusType

EventStatusType

Description

fetch data from the table: "EventStatusType"

Response

Returns [EventStatusType!]!

Arguments
Name Description
distinct_on - [EventStatusType_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [EventStatusType_order_by!] sort the rows by one or more columns
where - EventStatusType_bool_exp filter the rows returned

Example

Query
query EventStatusType(
  $distinct_on: [EventStatusType_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [EventStatusType_order_by!],
  $where: EventStatusType_bool_exp
) {
  EventStatusType(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    description
    name
  }
}
Variables
{
  "distinct_on": ["description"],
  "limit": 987,
  "offset": 123,
  "order_by": [EventStatusType_order_by],
  "where": EventStatusType_bool_exp
}
Response
{
  "data": {
    "EventStatusType": [
      {
        "description": "xyz789",
        "name": "abc123"
      }
    ]
  }
}

EventStatusType_by_pk

Description

fetch data from the table: "EventStatusType" using primary key columns

Response

Returns an EventStatusType

Arguments
Name Description
name - String!

Example

Query
query EventStatusType_by_pk($name: String!) {
  EventStatusType_by_pk(name: $name) {
    description
    name
  }
}
Variables
{"name": "abc123"}
Response
{
  "data": {
    "EventStatusType_by_pk": {
      "description": "xyz789",
      "name": "abc123"
    }
  }
}

Exhibition

Exhibition

Response

Returns [Exhibition!]!

Arguments
Name Description
filter - Exhibition_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query Exhibition(
  $filter: Exhibition_filter,
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  Exhibition(
    filter: $filter,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    directusId
    hasBeaconGroup {
      containedInExhibition {
        ...ExhibitionFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      directusId
      hasBeacon {
        ...BeaconFragment
      }
      hasBeacon_func {
        ...count_functionsFragment
      }
      hasCollection {
        ...CollectionFragment
      }
      hasCollection_func {
        ...count_functionsFragment
      }
      id
      keyword {
        ...Keyword_BeaconGroupFragment
      }
      keyword_func {
        ...count_functionsFragment
      }
      majorID
      name
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    hasBeaconGroup_func {
      count
    }
    hasCollectionGroup {
      coverObject {
        ...MediaObjectFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasCollection {
        ...CollectionFragment
      }
      hasCollection_func {
        ...count_functionsFragment
      }
      id
      isPartOfExhibition {
        ...ExhibitionFragment
      }
      name
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    hasCollectionGroup_func {
      count
    }
    hasMediaObject {
      Exhibition_id {
        ...ExhibitionFragment
      }
      MediaObject_id {
        ...MediaObjectFragment
      }
      id
    }
    hasMediaObject_func {
      count
    }
    id
    identifier {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      id
      identifierOf {
        ...ExhibitionFragment
      }
      name
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
      value
      valueReference
    }
    identifier_func {
      count
    }
    name
    sort
    status
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{
  "filter": Exhibition_filter,
  "limit": 987,
  "offset": 987,
  "page": 987,
  "search": "xyz789",
  "sort": ["abc123"]
}
Response
{
  "data": {
    "Exhibition": [
      {
        "date_created": "2007-12-03",
        "date_created_func": datetime_functions,
        "date_updated": "2007-12-03",
        "date_updated_func": datetime_functions,
        "directusId": 123,
        "hasBeaconGroup": [BeaconGroup],
        "hasBeaconGroup_func": count_functions,
        "hasCollectionGroup": [CollectionGroup],
        "hasCollectionGroup_func": count_functions,
        "hasMediaObject": [MediaObject_Exhibition],
        "hasMediaObject_func": count_functions,
        "id": "4",
        "identifier": [ExhibitionIdentifier],
        "identifier_func": count_functions,
        "name": "xyz789",
        "sort": 987,
        "status": "abc123",
        "user_created": directus_users,
        "user_updated": directus_users
      }
    ]
  }
}

Exhibition_aggregated

Response

Returns [Exhibition_aggregated!]!

Arguments
Name Description
filter - Exhibition_filter
groupBy - [String]
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query Exhibition_aggregated(
  $filter: Exhibition_filter,
  $groupBy: [String],
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  Exhibition_aggregated(
    filter: $filter,
    groupBy: $groupBy,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    avg {
      directusId
      sort
    }
    avgDistinct {
      directusId
      sort
    }
    count {
      date_created
      date_updated
      directusId
      hasBeaconGroup
      hasCollectionGroup
      hasMediaObject
      id
      identifier
      name
      sort
      status
      user_created
      user_updated
    }
    countAll
    countDistinct {
      date_created
      date_updated
      directusId
      hasBeaconGroup
      hasCollectionGroup
      hasMediaObject
      id
      identifier
      name
      sort
      status
      user_created
      user_updated
    }
    group
    max {
      directusId
      sort
    }
    min {
      directusId
      sort
    }
    sum {
      directusId
      sort
    }
    sumDistinct {
      directusId
      sort
    }
  }
}
Variables
{
  "filter": Exhibition_filter,
  "groupBy": ["abc123"],
  "limit": 123,
  "offset": 987,
  "page": 987,
  "search": "xyz789",
  "sort": ["abc123"]
}
Response
{
  "data": {
    "Exhibition_aggregated": [
      {
        "avg": Exhibition_aggregated_fields,
        "avgDistinct": Exhibition_aggregated_fields,
        "count": Exhibition_aggregated_count,
        "countAll": 123,
        "countDistinct": Exhibition_aggregated_count,
        "group": {},
        "max": Exhibition_aggregated_fields,
        "min": Exhibition_aggregated_fields,
        "sum": Exhibition_aggregated_fields,
        "sumDistinct": Exhibition_aggregated_fields
      }
    ]
  }
}

Exhibition_by_id

Response

Returns an Exhibition

Arguments
Name Description
id - ID!

Example

Query
query Exhibition_by_id($id: ID!) {
  Exhibition_by_id(id: $id) {
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    directusId
    hasBeaconGroup {
      containedInExhibition {
        ...ExhibitionFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      directusId
      hasBeacon {
        ...BeaconFragment
      }
      hasBeacon_func {
        ...count_functionsFragment
      }
      hasCollection {
        ...CollectionFragment
      }
      hasCollection_func {
        ...count_functionsFragment
      }
      id
      keyword {
        ...Keyword_BeaconGroupFragment
      }
      keyword_func {
        ...count_functionsFragment
      }
      majorID
      name
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    hasBeaconGroup_func {
      count
    }
    hasCollectionGroup {
      coverObject {
        ...MediaObjectFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasCollection {
        ...CollectionFragment
      }
      hasCollection_func {
        ...count_functionsFragment
      }
      id
      isPartOfExhibition {
        ...ExhibitionFragment
      }
      name
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    hasCollectionGroup_func {
      count
    }
    hasMediaObject {
      Exhibition_id {
        ...ExhibitionFragment
      }
      MediaObject_id {
        ...MediaObjectFragment
      }
      id
    }
    hasMediaObject_func {
      count
    }
    id
    identifier {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      id
      identifierOf {
        ...ExhibitionFragment
      }
      name
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
      value
      valueReference
    }
    identifier_func {
      count
    }
    name
    sort
    status
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{"id": 4}
Response
{
  "data": {
    "Exhibition_by_id": {
      "date_created": "2007-12-03",
      "date_created_func": datetime_functions,
      "date_updated": "2007-12-03",
      "date_updated_func": datetime_functions,
      "directusId": 987,
      "hasBeaconGroup": [BeaconGroup],
      "hasBeaconGroup_func": count_functions,
      "hasCollectionGroup": [CollectionGroup],
      "hasCollectionGroup_func": count_functions,
      "hasMediaObject": [MediaObject_Exhibition],
      "hasMediaObject_func": count_functions,
      "id": 4,
      "identifier": [ExhibitionIdentifier],
      "identifier_func": count_functions,
      "name": "xyz789",
      "sort": 123,
      "status": "xyz789",
      "user_created": directus_users,
      "user_updated": directus_users
    }
  }
}

ExhibitionIdentifier

ExhibitionIdentifier

Response

Returns [ExhibitionIdentifier!]!

Arguments
Name Description
filter - ExhibitionIdentifier_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query ExhibitionIdentifier(
  $filter: ExhibitionIdentifier_filter,
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  ExhibitionIdentifier(
    filter: $filter,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    id
    identifierOf {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      directusId
      hasBeaconGroup {
        ...BeaconGroupFragment
      }
      hasBeaconGroup_func {
        ...count_functionsFragment
      }
      hasCollectionGroup {
        ...CollectionGroupFragment
      }
      hasCollectionGroup_func {
        ...count_functionsFragment
      }
      hasMediaObject {
        ...MediaObject_ExhibitionFragment
      }
      hasMediaObject_func {
        ...count_functionsFragment
      }
      id
      identifier {
        ...ExhibitionIdentifierFragment
      }
      identifier_func {
        ...count_functionsFragment
      }
      name
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    name
    sort
    status
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    value
    valueReference
  }
}
Variables
{
  "filter": ExhibitionIdentifier_filter,
  "limit": 987,
  "offset": 987,
  "page": 123,
  "search": "xyz789",
  "sort": ["abc123"]
}
Response
{
  "data": {
    "ExhibitionIdentifier": [
      {
        "date_created": "2007-12-03",
        "date_created_func": datetime_functions,
        "date_updated": "2007-12-03",
        "date_updated_func": datetime_functions,
        "id": 4,
        "identifierOf": Exhibition,
        "name": "xyz789",
        "sort": 987,
        "status": "xyz789",
        "user_created": directus_users,
        "user_updated": directus_users,
        "value": "abc123",
        "valueReference": "abc123"
      }
    ]
  }
}

ExhibitionIdentifier_aggregated

Arguments
Name Description
filter - ExhibitionIdentifier_filter
groupBy - [String]
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query ExhibitionIdentifier_aggregated(
  $filter: ExhibitionIdentifier_filter,
  $groupBy: [String],
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  ExhibitionIdentifier_aggregated(
    filter: $filter,
    groupBy: $groupBy,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    avg {
      sort
    }
    avgDistinct {
      sort
    }
    count {
      date_created
      date_updated
      id
      identifierOf
      name
      sort
      status
      user_created
      user_updated
      value
      valueReference
    }
    countAll
    countDistinct {
      date_created
      date_updated
      id
      identifierOf
      name
      sort
      status
      user_created
      user_updated
      value
      valueReference
    }
    group
    max {
      sort
    }
    min {
      sort
    }
    sum {
      sort
    }
    sumDistinct {
      sort
    }
  }
}
Variables
{
  "filter": ExhibitionIdentifier_filter,
  "groupBy": ["abc123"],
  "limit": 987,
  "offset": 987,
  "page": 987,
  "search": "xyz789",
  "sort": ["abc123"]
}
Response
{
  "data": {
    "ExhibitionIdentifier_aggregated": [
      {
        "avg": ExhibitionIdentifier_aggregated_fields,
        "avgDistinct": ExhibitionIdentifier_aggregated_fields,
        "count": ExhibitionIdentifier_aggregated_count,
        "countAll": 123,
        "countDistinct": ExhibitionIdentifier_aggregated_count,
        "group": {},
        "max": ExhibitionIdentifier_aggregated_fields,
        "min": ExhibitionIdentifier_aggregated_fields,
        "sum": ExhibitionIdentifier_aggregated_fields,
        "sumDistinct": ExhibitionIdentifier_aggregated_fields
      }
    ]
  }
}

ExhibitionIdentifier_by_id

Response

Returns an ExhibitionIdentifier

Arguments
Name Description
id - ID!

Example

Query
query ExhibitionIdentifier_by_id($id: ID!) {
  ExhibitionIdentifier_by_id(id: $id) {
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    id
    identifierOf {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      directusId
      hasBeaconGroup {
        ...BeaconGroupFragment
      }
      hasBeaconGroup_func {
        ...count_functionsFragment
      }
      hasCollectionGroup {
        ...CollectionGroupFragment
      }
      hasCollectionGroup_func {
        ...count_functionsFragment
      }
      hasMediaObject {
        ...MediaObject_ExhibitionFragment
      }
      hasMediaObject_func {
        ...count_functionsFragment
      }
      id
      identifier {
        ...ExhibitionIdentifierFragment
      }
      identifier_func {
        ...count_functionsFragment
      }
      name
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    name
    sort
    status
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    value
    valueReference
  }
}
Variables
{"id": "4"}
Response
{
  "data": {
    "ExhibitionIdentifier_by_id": {
      "date_created": "2007-12-03",
      "date_created_func": datetime_functions,
      "date_updated": "2007-12-03",
      "date_updated_func": datetime_functions,
      "id": "4",
      "identifierOf": Exhibition,
      "name": "xyz789",
      "sort": 987,
      "status": "abc123",
      "user_created": directus_users,
      "user_updated": directus_users,
      "value": "abc123",
      "valueReference": "xyz789"
    }
  }
}

GenderTypeIdentifier

GenderTypeIdentifier

Description

fetch data from the table: "GenderTypeIdentifier"

Response

Returns [GenderTypeIdentifier!]!

Arguments
Name Description
distinct_on - [GenderTypeIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [GenderTypeIdentifier_order_by!] sort the rows by one or more columns
where - GenderTypeIdentifier_bool_exp filter the rows returned

Example

Query
query GenderTypeIdentifier(
  $distinct_on: [GenderTypeIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [GenderTypeIdentifier_order_by!],
  $where: GenderTypeIdentifier_bool_exp
) {
  GenderTypeIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    genderTypeId
    id
    name
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["genderTypeId"],
  "limit": 123,
  "offset": 987,
  "order_by": [GenderTypeIdentifier_order_by],
  "where": GenderTypeIdentifier_bool_exp
}
Response
{
  "data": {
    "GenderTypeIdentifier": [
      {
        "genderTypeId": uuid,
        "id": uuid,
        "name": "abc123",
        "value": "abc123",
        "valueReference": "xyz789"
      }
    ]
  }
}

GenderTypeIdentifier_by_pk

Description

fetch data from the table: "GenderTypeIdentifier" using primary key columns

Response

Returns a GenderTypeIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query GenderTypeIdentifier_by_pk($id: uuid!) {
  GenderTypeIdentifier_by_pk(id: $id) {
    genderTypeId
    id
    name
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "GenderTypeIdentifier_by_pk": {
      "genderTypeId": uuid,
      "id": uuid,
      "name": "abc123",
      "value": "abc123",
      "valueReference": "abc123"
    }
  }
}

Invoice

Invoice

Description

fetch data from the table: "Invoice"

Response

Returns [Invoice!]!

Arguments
Name Description
distinct_on - [Invoice_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [Invoice_order_by!] sort the rows by one or more columns
where - Invoice_bool_exp filter the rows returned

Example

Query
query Invoice(
  $distinct_on: [Invoice_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [Invoice_order_by!],
  $where: Invoice_bool_exp
) {
  Invoice(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    accountId
    billingPeriod
    broker {
      address {
        ...PostalAddressFragment
      }
      affiliated {
        ...PersonFragment
      }
      alternateName
      id
      identifier {
        ...OrganizationIdentifierFragment
      }
      invoice_broker {
        ...InvoiceFragment
      }
      invoice_provider {
        ...InvoiceFragment
      }
      location {
        ...PlaceFragment
      }
      locationId
      name
      order_broker {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation_broker {
        ...ReservationFragment
      }
      reservation_proivider {
        ...ReservationFragment
      }
      seller {
        ...OrderFragment
      }
      ticket {
        ...TicketFragment
      }
      url
    }
    brokerId
    confirmationNumber
    customer {
      address {
        ...PostalAddressFragment
      }
      affiliation {
        ...OrganizationFragment
      }
      affiliationId
      birthDate
      dateCreated
      dateModified
      email
      familyName
      givenName
      homeLocation {
        ...PostalAddressFragment
      }
      homeLocationId
      honorificPrefix
      honorificSuffix
      id
      identifier {
        ...PersonIdentifierFragment
      }
      invoice {
        ...InvoiceFragment
      }
      nationality {
        ...CountryFragment
      }
      nationalityId
      order {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation {
        ...ReservationFragment
      }
      reservedTicket {
        ...TicketFragment
      }
      telephone
    }
    customerId
    id
    identifier {
      id
      invoice {
        ...InvoiceFragment
      }
      invoiceId
      name
      value
      valueReference
    }
    minimumPaymentDue
    orderId
    paymentDueDate
    paymentMethod {
      description
      name
    }
    paymentMethodName
    paymentStatus {
      description
      name
    }
    paymentStatusTypeName
    provider {
      address {
        ...PostalAddressFragment
      }
      affiliated {
        ...PersonFragment
      }
      alternateName
      id
      identifier {
        ...OrganizationIdentifierFragment
      }
      invoice_broker {
        ...InvoiceFragment
      }
      invoice_provider {
        ...InvoiceFragment
      }
      location {
        ...PlaceFragment
      }
      locationId
      name
      order_broker {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation_broker {
        ...ReservationFragment
      }
      reservation_proivider {
        ...ReservationFragment
      }
      seller {
        ...OrderFragment
      }
      ticket {
        ...TicketFragment
      }
      url
    }
    providerId
    referencesOrder {
      billingAddress {
        ...PostalAddressFragment
      }
      billingAddressId
      broker {
        ...OrganizationFragment
      }
      brokerId
      confirmationNumber
      customer {
        ...PersonFragment
      }
      customerId
      discount
      discountCode
      facePrice
      id
      identifier {
        ...OrderIdentifierFragment
      }
      isGift
      orderDate
      orderNumber
      orderStatus {
        ...OrderStatusFragment
      }
      orderStatusName
      orderedItem {
        ...OrderItemFragment
      }
      partOfInvoice {
        ...InvoiceFragment
      }
      reservation {
        ...ReservationFragment
      }
      seller {
        ...OrganizationFragment
      }
      sellerId
      totalFee
      totalPaymentDue
      totalTax
    }
    scheduledPaymentDate
    totalPaymentDue
  }
}
Variables
{
  "distinct_on": ["accountId"],
  "limit": 987,
  "offset": 987,
  "order_by": [Invoice_order_by],
  "where": Invoice_bool_exp
}
Response
{
  "data": {
    "Invoice": [
      {
        "accountId": "xyz789",
        "billingPeriod": "abc123",
        "broker": Organization,
        "brokerId": uuid,
        "confirmationNumber": "xyz789",
        "customer": Person,
        "customerId": uuid,
        "id": uuid,
        "identifier": [InvoiceIdentifier],
        "minimumPaymentDue": numeric,
        "orderId": uuid,
        "paymentDueDate": timestamp,
        "paymentMethod": PaymentMethod,
        "paymentMethodName": "VISA",
        "paymentStatus": PaymentStatusType,
        "paymentStatusTypeName": "default",
        "provider": Organization,
        "providerId": uuid,
        "referencesOrder": Order,
        "scheduledPaymentDate": timestamp,
        "totalPaymentDue": numeric
      }
    ]
  }
}

Invoice_by_pk

Description

fetch data from the table: "Invoice" using primary key columns

Response

Returns an Invoice

Arguments
Name Description
id - uuid!

Example

Query
query Invoice_by_pk($id: uuid!) {
  Invoice_by_pk(id: $id) {
    accountId
    billingPeriod
    broker {
      address {
        ...PostalAddressFragment
      }
      affiliated {
        ...PersonFragment
      }
      alternateName
      id
      identifier {
        ...OrganizationIdentifierFragment
      }
      invoice_broker {
        ...InvoiceFragment
      }
      invoice_provider {
        ...InvoiceFragment
      }
      location {
        ...PlaceFragment
      }
      locationId
      name
      order_broker {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation_broker {
        ...ReservationFragment
      }
      reservation_proivider {
        ...ReservationFragment
      }
      seller {
        ...OrderFragment
      }
      ticket {
        ...TicketFragment
      }
      url
    }
    brokerId
    confirmationNumber
    customer {
      address {
        ...PostalAddressFragment
      }
      affiliation {
        ...OrganizationFragment
      }
      affiliationId
      birthDate
      dateCreated
      dateModified
      email
      familyName
      givenName
      homeLocation {
        ...PostalAddressFragment
      }
      homeLocationId
      honorificPrefix
      honorificSuffix
      id
      identifier {
        ...PersonIdentifierFragment
      }
      invoice {
        ...InvoiceFragment
      }
      nationality {
        ...CountryFragment
      }
      nationalityId
      order {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation {
        ...ReservationFragment
      }
      reservedTicket {
        ...TicketFragment
      }
      telephone
    }
    customerId
    id
    identifier {
      id
      invoice {
        ...InvoiceFragment
      }
      invoiceId
      name
      value
      valueReference
    }
    minimumPaymentDue
    orderId
    paymentDueDate
    paymentMethod {
      description
      name
    }
    paymentMethodName
    paymentStatus {
      description
      name
    }
    paymentStatusTypeName
    provider {
      address {
        ...PostalAddressFragment
      }
      affiliated {
        ...PersonFragment
      }
      alternateName
      id
      identifier {
        ...OrganizationIdentifierFragment
      }
      invoice_broker {
        ...InvoiceFragment
      }
      invoice_provider {
        ...InvoiceFragment
      }
      location {
        ...PlaceFragment
      }
      locationId
      name
      order_broker {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation_broker {
        ...ReservationFragment
      }
      reservation_proivider {
        ...ReservationFragment
      }
      seller {
        ...OrderFragment
      }
      ticket {
        ...TicketFragment
      }
      url
    }
    providerId
    referencesOrder {
      billingAddress {
        ...PostalAddressFragment
      }
      billingAddressId
      broker {
        ...OrganizationFragment
      }
      brokerId
      confirmationNumber
      customer {
        ...PersonFragment
      }
      customerId
      discount
      discountCode
      facePrice
      id
      identifier {
        ...OrderIdentifierFragment
      }
      isGift
      orderDate
      orderNumber
      orderStatus {
        ...OrderStatusFragment
      }
      orderStatusName
      orderedItem {
        ...OrderItemFragment
      }
      partOfInvoice {
        ...InvoiceFragment
      }
      reservation {
        ...ReservationFragment
      }
      seller {
        ...OrganizationFragment
      }
      sellerId
      totalFee
      totalPaymentDue
      totalTax
    }
    scheduledPaymentDate
    totalPaymentDue
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "Invoice_by_pk": {
      "accountId": "abc123",
      "billingPeriod": "abc123",
      "broker": Organization,
      "brokerId": uuid,
      "confirmationNumber": "abc123",
      "customer": Person,
      "customerId": uuid,
      "id": uuid,
      "identifier": [InvoiceIdentifier],
      "minimumPaymentDue": numeric,
      "orderId": uuid,
      "paymentDueDate": timestamp,
      "paymentMethod": PaymentMethod,
      "paymentMethodName": "VISA",
      "paymentStatus": PaymentStatusType,
      "paymentStatusTypeName": "default",
      "provider": Organization,
      "providerId": uuid,
      "referencesOrder": Order,
      "scheduledPaymentDate": timestamp,
      "totalPaymentDue": numeric
    }
  }
}

InvoiceIdentifier

InvoiceIdentifier

Description

fetch data from the table: "InvoiceIdentifier"

Response

Returns [InvoiceIdentifier!]!

Arguments
Name Description
distinct_on - [InvoiceIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [InvoiceIdentifier_order_by!] sort the rows by one or more columns
where - InvoiceIdentifier_bool_exp filter the rows returned

Example

Query
query InvoiceIdentifier(
  $distinct_on: [InvoiceIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [InvoiceIdentifier_order_by!],
  $where: InvoiceIdentifier_bool_exp
) {
  InvoiceIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    id
    invoice {
      accountId
      billingPeriod
      broker {
        ...OrganizationFragment
      }
      brokerId
      confirmationNumber
      customer {
        ...PersonFragment
      }
      customerId
      id
      identifier {
        ...InvoiceIdentifierFragment
      }
      minimumPaymentDue
      orderId
      paymentDueDate
      paymentMethod {
        ...PaymentMethodFragment
      }
      paymentMethodName
      paymentStatus {
        ...PaymentStatusTypeFragment
      }
      paymentStatusTypeName
      provider {
        ...OrganizationFragment
      }
      providerId
      referencesOrder {
        ...OrderFragment
      }
      scheduledPaymentDate
      totalPaymentDue
    }
    invoiceId
    name
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["id"],
  "limit": 123,
  "offset": 987,
  "order_by": [InvoiceIdentifier_order_by],
  "where": InvoiceIdentifier_bool_exp
}
Response
{
  "data": {
    "InvoiceIdentifier": [
      {
        "id": uuid,
        "invoice": Invoice,
        "invoiceId": uuid,
        "name": "abc123",
        "value": "xyz789",
        "valueReference": "xyz789"
      }
    ]
  }
}

InvoiceIdentifier_by_pk

Description

fetch data from the table: "InvoiceIdentifier" using primary key columns

Response

Returns an InvoiceIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query InvoiceIdentifier_by_pk($id: uuid!) {
  InvoiceIdentifier_by_pk(id: $id) {
    id
    invoice {
      accountId
      billingPeriod
      broker {
        ...OrganizationFragment
      }
      brokerId
      confirmationNumber
      customer {
        ...PersonFragment
      }
      customerId
      id
      identifier {
        ...InvoiceIdentifierFragment
      }
      minimumPaymentDue
      orderId
      paymentDueDate
      paymentMethod {
        ...PaymentMethodFragment
      }
      paymentMethodName
      paymentStatus {
        ...PaymentStatusTypeFragment
      }
      paymentStatusTypeName
      provider {
        ...OrganizationFragment
      }
      providerId
      referencesOrder {
        ...OrderFragment
      }
      scheduledPaymentDate
      totalPaymentDue
    }
    invoiceId
    name
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "InvoiceIdentifier_by_pk": {
      "id": uuid,
      "invoice": Invoice,
      "invoiceId": uuid,
      "name": "abc123",
      "value": "abc123",
      "valueReference": "xyz789"
    }
  }
}

ItemAvailability

ItemAvailability

Description

fetch data from the table: "ItemAvailability"

Response

Returns [ItemAvailability!]!

Arguments
Name Description
distinct_on - [ItemAvailability_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [ItemAvailability_order_by!] sort the rows by one or more columns
where - ItemAvailability_bool_exp filter the rows returned

Example

Query
query ItemAvailability(
  $distinct_on: [ItemAvailability_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [ItemAvailability_order_by!],
  $where: ItemAvailability_bool_exp
) {
  ItemAvailability(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    description
    id
    name
  }
}
Variables
{
  "distinct_on": ["description"],
  "limit": 987,
  "offset": 123,
  "order_by": [ItemAvailability_order_by],
  "where": ItemAvailability_bool_exp
}
Response
{
  "data": {
    "ItemAvailability": [
      {
        "description": "xyz789",
        "id": uuid,
        "name": "xyz789"
      }
    ]
  }
}

ItemAvailability_by_pk

Description

fetch data from the table: "ItemAvailability" using primary key columns

Response

Returns an ItemAvailability

Arguments
Name Description
id - uuid!

Example

Query
query ItemAvailability_by_pk($id: uuid!) {
  ItemAvailability_by_pk(id: $id) {
    description
    id
    name
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "ItemAvailability_by_pk": {
      "description": "xyz789",
      "id": uuid,
      "name": "xyz789"
    }
  }
}

Keyword

Keyword

Response

Returns [Keyword!]!

Arguments
Name Description
filter - Keyword_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query Keyword(
  $filter: Keyword_filter,
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  Keyword(
    filter: $filter,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    description
    hasBeaconGroup {
      BeaconGroup_id {
        ...BeaconGroupFragment
      }
      Keyword_id {
        ...KeywordFragment
      }
      id
    }
    hasBeaconGroup_func {
      count
    }
    id
    isPartOfMediaObject {
      Keyword_id {
        ...KeywordFragment
      }
      MediaObject_id {
        ...MediaObjectFragment
      }
      id
    }
    isPartOfMediaObject_func {
      count
    }
    name
    sort
    status
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{
  "filter": Keyword_filter,
  "limit": 123,
  "offset": 987,
  "page": 987,
  "search": "xyz789",
  "sort": ["xyz789"]
}
Response
{
  "data": {
    "Keyword": [
      {
        "date_created": "2007-12-03",
        "date_created_func": datetime_functions,
        "date_updated": "2007-12-03",
        "date_updated_func": datetime_functions,
        "description": "xyz789",
        "hasBeaconGroup": [Keyword_BeaconGroup],
        "hasBeaconGroup_func": count_functions,
        "id": 4,
        "isPartOfMediaObject": [Keyword_MediaObject],
        "isPartOfMediaObject_func": count_functions,
        "name": "xyz789",
        "sort": 987,
        "status": "abc123",
        "user_created": directus_users,
        "user_updated": directus_users
      }
    ]
  }
}

Keyword_BeaconGroup

Response

Returns [Keyword_BeaconGroup!]!

Arguments
Name Description
filter - Keyword_BeaconGroup_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query Keyword_BeaconGroup(
  $filter: Keyword_BeaconGroup_filter,
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  Keyword_BeaconGroup(
    filter: $filter,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    BeaconGroup_id {
      containedInExhibition {
        ...ExhibitionFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      directusId
      hasBeacon {
        ...BeaconFragment
      }
      hasBeacon_func {
        ...count_functionsFragment
      }
      hasCollection {
        ...CollectionFragment
      }
      hasCollection_func {
        ...count_functionsFragment
      }
      id
      keyword {
        ...Keyword_BeaconGroupFragment
      }
      keyword_func {
        ...count_functionsFragment
      }
      majorID
      name
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    Keyword_id {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasBeaconGroup {
        ...Keyword_BeaconGroupFragment
      }
      hasBeaconGroup_func {
        ...count_functionsFragment
      }
      id
      isPartOfMediaObject {
        ...Keyword_MediaObjectFragment
      }
      isPartOfMediaObject_func {
        ...count_functionsFragment
      }
      name
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    id
  }
}
Variables
{
  "filter": Keyword_BeaconGroup_filter,
  "limit": 123,
  "offset": 987,
  "page": 987,
  "search": "abc123",
  "sort": ["xyz789"]
}
Response
{
  "data": {
    "Keyword_BeaconGroup": [
      {
        "BeaconGroup_id": BeaconGroup,
        "Keyword_id": Keyword,
        "id": 4
      }
    ]
  }
}

Keyword_BeaconGroup_aggregated

Arguments
Name Description
filter - Keyword_BeaconGroup_filter
groupBy - [String]
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query Keyword_BeaconGroup_aggregated(
  $filter: Keyword_BeaconGroup_filter,
  $groupBy: [String],
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  Keyword_BeaconGroup_aggregated(
    filter: $filter,
    groupBy: $groupBy,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    avg {
      id
    }
    avgDistinct {
      id
    }
    count {
      BeaconGroup_id
      Keyword_id
      id
    }
    countAll
    countDistinct {
      BeaconGroup_id
      Keyword_id
      id
    }
    group
    max {
      id
    }
    min {
      id
    }
    sum {
      id
    }
    sumDistinct {
      id
    }
  }
}
Variables
{
  "filter": Keyword_BeaconGroup_filter,
  "groupBy": ["xyz789"],
  "limit": 123,
  "offset": 987,
  "page": 987,
  "search": "abc123",
  "sort": ["abc123"]
}
Response
{
  "data": {
    "Keyword_BeaconGroup_aggregated": [
      {
        "avg": Keyword_BeaconGroup_aggregated_fields,
        "avgDistinct": Keyword_BeaconGroup_aggregated_fields,
        "count": Keyword_BeaconGroup_aggregated_count,
        "countAll": 987,
        "countDistinct": Keyword_BeaconGroup_aggregated_count,
        "group": {},
        "max": Keyword_BeaconGroup_aggregated_fields,
        "min": Keyword_BeaconGroup_aggregated_fields,
        "sum": Keyword_BeaconGroup_aggregated_fields,
        "sumDistinct": Keyword_BeaconGroup_aggregated_fields
      }
    ]
  }
}

Keyword_BeaconGroup_by_id

Response

Returns a Keyword_BeaconGroup

Arguments
Name Description
id - ID!

Example

Query
query Keyword_BeaconGroup_by_id($id: ID!) {
  Keyword_BeaconGroup_by_id(id: $id) {
    BeaconGroup_id {
      containedInExhibition {
        ...ExhibitionFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      directusId
      hasBeacon {
        ...BeaconFragment
      }
      hasBeacon_func {
        ...count_functionsFragment
      }
      hasCollection {
        ...CollectionFragment
      }
      hasCollection_func {
        ...count_functionsFragment
      }
      id
      keyword {
        ...Keyword_BeaconGroupFragment
      }
      keyword_func {
        ...count_functionsFragment
      }
      majorID
      name
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    Keyword_id {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasBeaconGroup {
        ...Keyword_BeaconGroupFragment
      }
      hasBeaconGroup_func {
        ...count_functionsFragment
      }
      id
      isPartOfMediaObject {
        ...Keyword_MediaObjectFragment
      }
      isPartOfMediaObject_func {
        ...count_functionsFragment
      }
      name
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    id
  }
}
Variables
{"id": "4"}
Response
{
  "data": {
    "Keyword_BeaconGroup_by_id": {
      "BeaconGroup_id": BeaconGroup,
      "Keyword_id": Keyword,
      "id": "4"
    }
  }
}

Keyword_MediaObject

Response

Returns [Keyword_MediaObject!]!

Arguments
Name Description
filter - Keyword_MediaObject_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query Keyword_MediaObject(
  $filter: Keyword_MediaObject_filter,
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  Keyword_MediaObject(
    filter: $filter,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    Keyword_id {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasBeaconGroup {
        ...Keyword_BeaconGroupFragment
      }
      hasBeaconGroup_func {
        ...count_functionsFragment
      }
      id
      isPartOfMediaObject {
        ...Keyword_MediaObjectFragment
      }
      isPartOfMediaObject_func {
        ...count_functionsFragment
      }
      name
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    MediaObject_id {
      additionalType
      applet {
        ...MediaObject_AppletFragment
      }
      applet_func {
        ...count_functionsFragment
      }
      articleBody
      assetId
      audio {
        ...directus_filesFragment
      }
      contentUrl
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasCharacter {
        ...Character_MediaObjectFragment
      }
      hasCharacter_func {
        ...count_functionsFragment
      }
      hasPin {
        ...PinnedMediaObjectFragment
      }
      hasPin_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      isPartOfCollection {
        ...CollectionFragment
      }
      isPartOfExhibition {
        ...MediaObject_ExhibitionFragment
      }
      isPartOfExhibition_func {
        ...count_functionsFragment
      }
      isPartOfNarrativePlace {
        ...NarrativePlace_MediaObjectFragment
      }
      isPartOfNarrativePlace_func {
        ...count_functionsFragment
      }
      keyword {
        ...Keyword_MediaObjectFragment
      }
      keyword_func {
        ...count_functionsFragment
      }
      mediaRelationship {
        ...MediaRelationshipFragment
      }
      mediaRelationship_func {
        ...count_functionsFragment
      }
      messageBody
      name
      page {
        ...MediaObject_filesFragment
      }
      page_func {
        ...count_functionsFragment
      }
      playerType
      sort
      status
      thumbnail {
        ...directus_filesFragment
      }
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    id
  }
}
Variables
{
  "filter": Keyword_MediaObject_filter,
  "limit": 987,
  "offset": 123,
  "page": 987,
  "search": "abc123",
  "sort": ["abc123"]
}
Response
{
  "data": {
    "Keyword_MediaObject": [
      {
        "Keyword_id": Keyword,
        "MediaObject_id": MediaObject,
        "id": "4"
      }
    ]
  }
}

Keyword_MediaObject_aggregated

Arguments
Name Description
filter - Keyword_MediaObject_filter
groupBy - [String]
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query Keyword_MediaObject_aggregated(
  $filter: Keyword_MediaObject_filter,
  $groupBy: [String],
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  Keyword_MediaObject_aggregated(
    filter: $filter,
    groupBy: $groupBy,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    avg {
      id
    }
    avgDistinct {
      id
    }
    count {
      Keyword_id
      MediaObject_id
      id
    }
    countAll
    countDistinct {
      Keyword_id
      MediaObject_id
      id
    }
    group
    max {
      id
    }
    min {
      id
    }
    sum {
      id
    }
    sumDistinct {
      id
    }
  }
}
Variables
{
  "filter": Keyword_MediaObject_filter,
  "groupBy": ["abc123"],
  "limit": 123,
  "offset": 123,
  "page": 123,
  "search": "xyz789",
  "sort": ["xyz789"]
}
Response
{
  "data": {
    "Keyword_MediaObject_aggregated": [
      {
        "avg": Keyword_MediaObject_aggregated_fields,
        "avgDistinct": Keyword_MediaObject_aggregated_fields,
        "count": Keyword_MediaObject_aggregated_count,
        "countAll": 987,
        "countDistinct": Keyword_MediaObject_aggregated_count,
        "group": {},
        "max": Keyword_MediaObject_aggregated_fields,
        "min": Keyword_MediaObject_aggregated_fields,
        "sum": Keyword_MediaObject_aggregated_fields,
        "sumDistinct": Keyword_MediaObject_aggregated_fields
      }
    ]
  }
}

Keyword_MediaObject_by_id

Response

Returns a Keyword_MediaObject

Arguments
Name Description
id - ID!

Example

Query
query Keyword_MediaObject_by_id($id: ID!) {
  Keyword_MediaObject_by_id(id: $id) {
    Keyword_id {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasBeaconGroup {
        ...Keyword_BeaconGroupFragment
      }
      hasBeaconGroup_func {
        ...count_functionsFragment
      }
      id
      isPartOfMediaObject {
        ...Keyword_MediaObjectFragment
      }
      isPartOfMediaObject_func {
        ...count_functionsFragment
      }
      name
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    MediaObject_id {
      additionalType
      applet {
        ...MediaObject_AppletFragment
      }
      applet_func {
        ...count_functionsFragment
      }
      articleBody
      assetId
      audio {
        ...directus_filesFragment
      }
      contentUrl
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasCharacter {
        ...Character_MediaObjectFragment
      }
      hasCharacter_func {
        ...count_functionsFragment
      }
      hasPin {
        ...PinnedMediaObjectFragment
      }
      hasPin_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      isPartOfCollection {
        ...CollectionFragment
      }
      isPartOfExhibition {
        ...MediaObject_ExhibitionFragment
      }
      isPartOfExhibition_func {
        ...count_functionsFragment
      }
      isPartOfNarrativePlace {
        ...NarrativePlace_MediaObjectFragment
      }
      isPartOfNarrativePlace_func {
        ...count_functionsFragment
      }
      keyword {
        ...Keyword_MediaObjectFragment
      }
      keyword_func {
        ...count_functionsFragment
      }
      mediaRelationship {
        ...MediaRelationshipFragment
      }
      mediaRelationship_func {
        ...count_functionsFragment
      }
      messageBody
      name
      page {
        ...MediaObject_filesFragment
      }
      page_func {
        ...count_functionsFragment
      }
      playerType
      sort
      status
      thumbnail {
        ...directus_filesFragment
      }
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    id
  }
}
Variables
{"id": "4"}
Response
{
  "data": {
    "Keyword_MediaObject_by_id": {
      "Keyword_id": Keyword,
      "MediaObject_id": MediaObject,
      "id": "4"
    }
  }
}

Keyword_aggregated

Response

Returns [Keyword_aggregated!]!

Arguments
Name Description
filter - Keyword_filter
groupBy - [String]
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query Keyword_aggregated(
  $filter: Keyword_filter,
  $groupBy: [String],
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  Keyword_aggregated(
    filter: $filter,
    groupBy: $groupBy,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    avg {
      sort
    }
    avgDistinct {
      sort
    }
    count {
      date_created
      date_updated
      description
      hasBeaconGroup
      id
      isPartOfMediaObject
      name
      sort
      status
      user_created
      user_updated
    }
    countAll
    countDistinct {
      date_created
      date_updated
      description
      hasBeaconGroup
      id
      isPartOfMediaObject
      name
      sort
      status
      user_created
      user_updated
    }
    group
    max {
      sort
    }
    min {
      sort
    }
    sum {
      sort
    }
    sumDistinct {
      sort
    }
  }
}
Variables
{
  "filter": Keyword_filter,
  "groupBy": ["abc123"],
  "limit": 123,
  "offset": 123,
  "page": 987,
  "search": "xyz789",
  "sort": ["xyz789"]
}
Response
{
  "data": {
    "Keyword_aggregated": [
      {
        "avg": Keyword_aggregated_fields,
        "avgDistinct": Keyword_aggregated_fields,
        "count": Keyword_aggregated_count,
        "countAll": 987,
        "countDistinct": Keyword_aggregated_count,
        "group": {},
        "max": Keyword_aggregated_fields,
        "min": Keyword_aggregated_fields,
        "sum": Keyword_aggregated_fields,
        "sumDistinct": Keyword_aggregated_fields
      }
    ]
  }
}

Keyword_by_id

Response

Returns a Keyword

Arguments
Name Description
id - ID!

Example

Query
query Keyword_by_id($id: ID!) {
  Keyword_by_id(id: $id) {
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    description
    hasBeaconGroup {
      BeaconGroup_id {
        ...BeaconGroupFragment
      }
      Keyword_id {
        ...KeywordFragment
      }
      id
    }
    hasBeaconGroup_func {
      count
    }
    id
    isPartOfMediaObject {
      Keyword_id {
        ...KeywordFragment
      }
      MediaObject_id {
        ...MediaObjectFragment
      }
      id
    }
    isPartOfMediaObject_func {
      count
    }
    name
    sort
    status
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{"id": 4}
Response
{
  "data": {
    "Keyword_by_id": {
      "date_created": "2007-12-03",
      "date_created_func": datetime_functions,
      "date_updated": "2007-12-03",
      "date_updated_func": datetime_functions,
      "description": "xyz789",
      "hasBeaconGroup": [Keyword_BeaconGroup],
      "hasBeaconGroup_func": count_functions,
      "id": 4,
      "isPartOfMediaObject": [Keyword_MediaObject],
      "isPartOfMediaObject_func": count_functions,
      "name": "abc123",
      "sort": 123,
      "status": "xyz789",
      "user_created": directus_users,
      "user_updated": directus_users
    }
  }
}

LanguageIdentifier

LanguageIdentifier

Description

fetch data from the table: "LanguageIdentifier"

Response

Returns [LanguageIdentifier!]!

Arguments
Name Description
distinct_on - [LanguageIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [LanguageIdentifier_order_by!] sort the rows by one or more columns
where - LanguageIdentifier_bool_exp filter the rows returned

Example

Query
query LanguageIdentifier(
  $distinct_on: [LanguageIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [LanguageIdentifier_order_by!],
  $where: LanguageIdentifier_bool_exp
) {
  LanguageIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    id
    languageId
    name
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["id"],
  "limit": 987,
  "offset": 987,
  "order_by": [LanguageIdentifier_order_by],
  "where": LanguageIdentifier_bool_exp
}
Response
{
  "data": {
    "LanguageIdentifier": [
      {
        "id": uuid,
        "languageId": uuid,
        "name": "abc123",
        "value": "xyz789",
        "valueReference": "xyz789"
      }
    ]
  }
}

LanguageIdentifier_by_pk

Description

fetch data from the table: "LanguageIdentifier" using primary key columns

Response

Returns a LanguageIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query LanguageIdentifier_by_pk($id: uuid!) {
  LanguageIdentifier_by_pk(id: $id) {
    id
    languageId
    name
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "LanguageIdentifier_by_pk": {
      "id": uuid,
      "languageId": uuid,
      "name": "abc123",
      "value": "abc123",
      "valueReference": "xyz789"
    }
  }
}

MediaObject

MediaObject

Response

Returns [MediaObject!]!

Arguments
Name Description
filter - MediaObject_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query MediaObject(
  $filter: MediaObject_filter,
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  MediaObject(
    filter: $filter,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    additionalType
    applet {
      Applet_id {
        ...AppletFragment
      }
      MediaObject_id {
        ...MediaObjectFragment
      }
      id
    }
    applet_func {
      count
    }
    articleBody
    assetId
    audio {
      charset
      description
      duration
      embed
      filename_disk
      filename_download
      filesize
      folder {
        ...directus_foldersFragment
      }
      height
      id
      location
      metadata
      metadata_func {
        ...count_functionsFragment
      }
      modified_by {
        ...directus_usersFragment
      }
      modified_on
      modified_on_func {
        ...datetime_functionsFragment
      }
      storage
      tags
      tags_func {
        ...count_functionsFragment
      }
      title
      type
      uploaded_by {
        ...directus_usersFragment
      }
      uploaded_on
      uploaded_on_func {
        ...datetime_functionsFragment
      }
      width
    }
    contentUrl
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    description
    hasCharacter {
      Character_id {
        ...CharacterFragment
      }
      MediaObject_id {
        ...MediaObjectFragment
      }
      id
    }
    hasCharacter_func {
      count
    }
    hasPin {
      applet {
        ...AppletFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      endDate
      endDate_func {
        ...datetime_functionsFragment
      }
      id
      mediaObject {
        ...MediaObjectFragment
      }
      pinStatus
      sort
      startDate
      startDate_func {
        ...datetime_functionsFragment
      }
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    hasPin_func {
      count
    }
    id
    image {
      charset
      description
      duration
      embed
      filename_disk
      filename_download
      filesize
      folder {
        ...directus_foldersFragment
      }
      height
      id
      location
      metadata
      metadata_func {
        ...count_functionsFragment
      }
      modified_by {
        ...directus_usersFragment
      }
      modified_on
      modified_on_func {
        ...datetime_functionsFragment
      }
      storage
      tags
      tags_func {
        ...count_functionsFragment
      }
      title
      type
      uploaded_by {
        ...directus_usersFragment
      }
      uploaded_on
      uploaded_on_func {
        ...datetime_functionsFragment
      }
      width
    }
    isPartOfCollection {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasMediaObject {
        ...MediaObjectFragment
      }
      hasMediaObject_func {
        ...count_functionsFragment
      }
      id
      isDeliveredByBeaconGroup {
        ...BeaconGroupFragment
      }
      isPartOfCollectionGroup {
        ...CollectionGroupFragment
      }
      lockedImage {
        ...directus_filesFragment
      }
      name
      pushNotification {
        ...PushNotificationFragment
      }
      pushNotification_func {
        ...count_functionsFragment
      }
      sort
      status
      unlockedImage {
        ...directus_filesFragment
      }
      userUnlockState {
        ...UserUnlockStateFragment
      }
      userUnlockState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    isPartOfExhibition {
      Exhibition_id {
        ...ExhibitionFragment
      }
      MediaObject_id {
        ...MediaObjectFragment
      }
      id
    }
    isPartOfExhibition_func {
      count
    }
    isPartOfNarrativePlace {
      MediaObject_id {
        ...MediaObjectFragment
      }
      NarrativePlace_id {
        ...NarrativePlaceFragment
      }
      id
    }
    isPartOfNarrativePlace_func {
      count
    }
    keyword {
      Keyword_id {
        ...KeywordFragment
      }
      MediaObject_id {
        ...MediaObjectFragment
      }
      id
    }
    keyword_func {
      count
    }
    mediaRelationship {
      contributor {
        ...ContributorFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      hasMediaObject {
        ...MediaObjectFragment
      }
      id
      roleName {
        ...CreditsRoleFragment
      }
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    mediaRelationship_func {
      count
    }
    messageBody
    name
    page {
      MediaObject_id {
        ...MediaObjectFragment
      }
      directus_files_id {
        ...directus_filesFragment
      }
      id
    }
    page_func {
      count
    }
    playerType
    sort
    status
    thumbnail {
      charset
      description
      duration
      embed
      filename_disk
      filename_download
      filesize
      folder {
        ...directus_foldersFragment
      }
      height
      id
      location
      metadata
      metadata_func {
        ...count_functionsFragment
      }
      modified_by {
        ...directus_usersFragment
      }
      modified_on
      modified_on_func {
        ...datetime_functionsFragment
      }
      storage
      tags
      tags_func {
        ...count_functionsFragment
      }
      title
      type
      uploaded_by {
        ...directus_usersFragment
      }
      uploaded_on
      uploaded_on_func {
        ...datetime_functionsFragment
      }
      width
    }
    userActivity {
      action
      actionTime
      actionTime_func {
        ...datetime_functionsFragment
      }
      actionTrigger
      applet {
        ...AppletFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      id
      mediaObject {
        ...MediaObjectFragment
      }
      sort
      status
      user {
        ...WormholeUserFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    userActivity_func {
      count
    }
    userMediaState {
      applet {
        ...AppletFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      favorite
      firstOpenDate
      firstOpenDate_func {
        ...datetime_functionsFragment
      }
      id
      lastOpenDate
      lastOpenDate_func {
        ...datetime_functionsFragment
      }
      mediaObject {
        ...MediaObjectFragment
      }
      progressRate
      sort
      status
      user {
        ...WormholeUserFragment
      }
      userInteractionCount
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    userMediaState_func {
      count
    }
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{
  "filter": MediaObject_filter,
  "limit": 987,
  "offset": 123,
  "page": 123,
  "search": "xyz789",
  "sort": ["abc123"]
}
Response
{
  "data": {
    "MediaObject": [
      {
        "additionalType": "xyz789",
        "applet": [MediaObject_Applet],
        "applet_func": count_functions,
        "articleBody": "xyz789",
        "assetId": "abc123",
        "audio": directus_files,
        "contentUrl": "abc123",
        "date_created": "2007-12-03",
        "date_created_func": datetime_functions,
        "date_updated": "2007-12-03",
        "date_updated_func": datetime_functions,
        "description": "xyz789",
        "hasCharacter": [Character_MediaObject],
        "hasCharacter_func": count_functions,
        "hasPin": [PinnedMediaObject],
        "hasPin_func": count_functions,
        "id": 4,
        "image": directus_files,
        "isPartOfCollection": Collection,
        "isPartOfExhibition": [MediaObject_Exhibition],
        "isPartOfExhibition_func": count_functions,
        "isPartOfNarrativePlace": [
          NarrativePlace_MediaObject
        ],
        "isPartOfNarrativePlace_func": count_functions,
        "keyword": [Keyword_MediaObject],
        "keyword_func": count_functions,
        "mediaRelationship": [MediaRelationship],
        "mediaRelationship_func": count_functions,
        "messageBody": "abc123",
        "name": "abc123",
        "page": [MediaObject_files],
        "page_func": count_functions,
        "playerType": "abc123",
        "sort": 987,
        "status": "xyz789",
        "thumbnail": directus_files,
        "userActivity": [UserActivity],
        "userActivity_func": count_functions,
        "userMediaState": [UserMediaState],
        "userMediaState_func": count_functions,
        "user_created": directus_users,
        "user_updated": directus_users
      }
    ]
  }
}

MediaObject_Applet

Response

Returns [MediaObject_Applet!]!

Arguments
Name Description
filter - MediaObject_Applet_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query MediaObject_Applet(
  $filter: MediaObject_Applet_filter,
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  MediaObject_Applet(
    filter: $filter,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    Applet_id {
      animationType
      appletType
      bottomDock
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      hasMediaObject {
        ...MediaObject_AppletFragment
      }
      hasMediaObject_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      label
      name
      pinnedMediaObject {
        ...PinnedMediaObjectFragment
      }
      pinnedMediaObject_func {
        ...count_functionsFragment
      }
      portraitOrientation
      position
      scrambled
      sort
      status
      url
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userAppletState {
        ...UserAppletStateFragment
      }
      userAppletState_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
      visible
    }
    MediaObject_id {
      additionalType
      applet {
        ...MediaObject_AppletFragment
      }
      applet_func {
        ...count_functionsFragment
      }
      articleBody
      assetId
      audio {
        ...directus_filesFragment
      }
      contentUrl
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasCharacter {
        ...Character_MediaObjectFragment
      }
      hasCharacter_func {
        ...count_functionsFragment
      }
      hasPin {
        ...PinnedMediaObjectFragment
      }
      hasPin_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      isPartOfCollection {
        ...CollectionFragment
      }
      isPartOfExhibition {
        ...MediaObject_ExhibitionFragment
      }
      isPartOfExhibition_func {
        ...count_functionsFragment
      }
      isPartOfNarrativePlace {
        ...NarrativePlace_MediaObjectFragment
      }
      isPartOfNarrativePlace_func {
        ...count_functionsFragment
      }
      keyword {
        ...Keyword_MediaObjectFragment
      }
      keyword_func {
        ...count_functionsFragment
      }
      mediaRelationship {
        ...MediaRelationshipFragment
      }
      mediaRelationship_func {
        ...count_functionsFragment
      }
      messageBody
      name
      page {
        ...MediaObject_filesFragment
      }
      page_func {
        ...count_functionsFragment
      }
      playerType
      sort
      status
      thumbnail {
        ...directus_filesFragment
      }
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    id
  }
}
Variables
{
  "filter": MediaObject_Applet_filter,
  "limit": 987,
  "offset": 987,
  "page": 987,
  "search": "abc123",
  "sort": ["abc123"]
}
Response
{
  "data": {
    "MediaObject_Applet": [
      {
        "Applet_id": Applet,
        "MediaObject_id": MediaObject,
        "id": 4
      }
    ]
  }
}

MediaObject_Applet_aggregated

Arguments
Name Description
filter - MediaObject_Applet_filter
groupBy - [String]
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query MediaObject_Applet_aggregated(
  $filter: MediaObject_Applet_filter,
  $groupBy: [String],
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  MediaObject_Applet_aggregated(
    filter: $filter,
    groupBy: $groupBy,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    avg {
      id
    }
    avgDistinct {
      id
    }
    count {
      Applet_id
      MediaObject_id
      id
    }
    countAll
    countDistinct {
      Applet_id
      MediaObject_id
      id
    }
    group
    max {
      id
    }
    min {
      id
    }
    sum {
      id
    }
    sumDistinct {
      id
    }
  }
}
Variables
{
  "filter": MediaObject_Applet_filter,
  "groupBy": ["abc123"],
  "limit": 123,
  "offset": 987,
  "page": 123,
  "search": "abc123",
  "sort": ["xyz789"]
}
Response
{
  "data": {
    "MediaObject_Applet_aggregated": [
      {
        "avg": MediaObject_Applet_aggregated_fields,
        "avgDistinct": MediaObject_Applet_aggregated_fields,
        "count": MediaObject_Applet_aggregated_count,
        "countAll": 123,
        "countDistinct": MediaObject_Applet_aggregated_count,
        "group": {},
        "max": MediaObject_Applet_aggregated_fields,
        "min": MediaObject_Applet_aggregated_fields,
        "sum": MediaObject_Applet_aggregated_fields,
        "sumDistinct": MediaObject_Applet_aggregated_fields
      }
    ]
  }
}

MediaObject_Applet_by_id

Response

Returns a MediaObject_Applet

Arguments
Name Description
id - ID!

Example

Query
query MediaObject_Applet_by_id($id: ID!) {
  MediaObject_Applet_by_id(id: $id) {
    Applet_id {
      animationType
      appletType
      bottomDock
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      hasMediaObject {
        ...MediaObject_AppletFragment
      }
      hasMediaObject_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      label
      name
      pinnedMediaObject {
        ...PinnedMediaObjectFragment
      }
      pinnedMediaObject_func {
        ...count_functionsFragment
      }
      portraitOrientation
      position
      scrambled
      sort
      status
      url
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userAppletState {
        ...UserAppletStateFragment
      }
      userAppletState_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
      visible
    }
    MediaObject_id {
      additionalType
      applet {
        ...MediaObject_AppletFragment
      }
      applet_func {
        ...count_functionsFragment
      }
      articleBody
      assetId
      audio {
        ...directus_filesFragment
      }
      contentUrl
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasCharacter {
        ...Character_MediaObjectFragment
      }
      hasCharacter_func {
        ...count_functionsFragment
      }
      hasPin {
        ...PinnedMediaObjectFragment
      }
      hasPin_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      isPartOfCollection {
        ...CollectionFragment
      }
      isPartOfExhibition {
        ...MediaObject_ExhibitionFragment
      }
      isPartOfExhibition_func {
        ...count_functionsFragment
      }
      isPartOfNarrativePlace {
        ...NarrativePlace_MediaObjectFragment
      }
      isPartOfNarrativePlace_func {
        ...count_functionsFragment
      }
      keyword {
        ...Keyword_MediaObjectFragment
      }
      keyword_func {
        ...count_functionsFragment
      }
      mediaRelationship {
        ...MediaRelationshipFragment
      }
      mediaRelationship_func {
        ...count_functionsFragment
      }
      messageBody
      name
      page {
        ...MediaObject_filesFragment
      }
      page_func {
        ...count_functionsFragment
      }
      playerType
      sort
      status
      thumbnail {
        ...directus_filesFragment
      }
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    id
  }
}
Variables
{"id": 4}
Response
{
  "data": {
    "MediaObject_Applet_by_id": {
      "Applet_id": Applet,
      "MediaObject_id": MediaObject,
      "id": 4
    }
  }
}

MediaObject_Exhibition

Response

Returns [MediaObject_Exhibition!]!

Arguments
Name Description
filter - MediaObject_Exhibition_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query MediaObject_Exhibition(
  $filter: MediaObject_Exhibition_filter,
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  MediaObject_Exhibition(
    filter: $filter,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    Exhibition_id {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      directusId
      hasBeaconGroup {
        ...BeaconGroupFragment
      }
      hasBeaconGroup_func {
        ...count_functionsFragment
      }
      hasCollectionGroup {
        ...CollectionGroupFragment
      }
      hasCollectionGroup_func {
        ...count_functionsFragment
      }
      hasMediaObject {
        ...MediaObject_ExhibitionFragment
      }
      hasMediaObject_func {
        ...count_functionsFragment
      }
      id
      identifier {
        ...ExhibitionIdentifierFragment
      }
      identifier_func {
        ...count_functionsFragment
      }
      name
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    MediaObject_id {
      additionalType
      applet {
        ...MediaObject_AppletFragment
      }
      applet_func {
        ...count_functionsFragment
      }
      articleBody
      assetId
      audio {
        ...directus_filesFragment
      }
      contentUrl
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasCharacter {
        ...Character_MediaObjectFragment
      }
      hasCharacter_func {
        ...count_functionsFragment
      }
      hasPin {
        ...PinnedMediaObjectFragment
      }
      hasPin_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      isPartOfCollection {
        ...CollectionFragment
      }
      isPartOfExhibition {
        ...MediaObject_ExhibitionFragment
      }
      isPartOfExhibition_func {
        ...count_functionsFragment
      }
      isPartOfNarrativePlace {
        ...NarrativePlace_MediaObjectFragment
      }
      isPartOfNarrativePlace_func {
        ...count_functionsFragment
      }
      keyword {
        ...Keyword_MediaObjectFragment
      }
      keyword_func {
        ...count_functionsFragment
      }
      mediaRelationship {
        ...MediaRelationshipFragment
      }
      mediaRelationship_func {
        ...count_functionsFragment
      }
      messageBody
      name
      page {
        ...MediaObject_filesFragment
      }
      page_func {
        ...count_functionsFragment
      }
      playerType
      sort
      status
      thumbnail {
        ...directus_filesFragment
      }
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    id
  }
}
Variables
{
  "filter": MediaObject_Exhibition_filter,
  "limit": 987,
  "offset": 987,
  "page": 987,
  "search": "abc123",
  "sort": ["abc123"]
}
Response
{
  "data": {
    "MediaObject_Exhibition": [
      {
        "Exhibition_id": Exhibition,
        "MediaObject_id": MediaObject,
        "id": "4"
      }
    ]
  }
}

MediaObject_Exhibition_aggregated

Arguments
Name Description
filter - MediaObject_Exhibition_filter
groupBy - [String]
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query MediaObject_Exhibition_aggregated(
  $filter: MediaObject_Exhibition_filter,
  $groupBy: [String],
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  MediaObject_Exhibition_aggregated(
    filter: $filter,
    groupBy: $groupBy,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    avg {
      id
    }
    avgDistinct {
      id
    }
    count {
      Exhibition_id
      MediaObject_id
      id
    }
    countAll
    countDistinct {
      Exhibition_id
      MediaObject_id
      id
    }
    group
    max {
      id
    }
    min {
      id
    }
    sum {
      id
    }
    sumDistinct {
      id
    }
  }
}
Variables
{
  "filter": MediaObject_Exhibition_filter,
  "groupBy": ["abc123"],
  "limit": 987,
  "offset": 987,
  "page": 123,
  "search": "abc123",
  "sort": ["abc123"]
}
Response
{
  "data": {
    "MediaObject_Exhibition_aggregated": [
      {
        "avg": MediaObject_Exhibition_aggregated_fields,
        "avgDistinct": MediaObject_Exhibition_aggregated_fields,
        "count": MediaObject_Exhibition_aggregated_count,
        "countAll": 123,
        "countDistinct": MediaObject_Exhibition_aggregated_count,
        "group": {},
        "max": MediaObject_Exhibition_aggregated_fields,
        "min": MediaObject_Exhibition_aggregated_fields,
        "sum": MediaObject_Exhibition_aggregated_fields,
        "sumDistinct": MediaObject_Exhibition_aggregated_fields
      }
    ]
  }
}

MediaObject_Exhibition_by_id

Response

Returns a MediaObject_Exhibition

Arguments
Name Description
id - ID!

Example

Query
query MediaObject_Exhibition_by_id($id: ID!) {
  MediaObject_Exhibition_by_id(id: $id) {
    Exhibition_id {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      directusId
      hasBeaconGroup {
        ...BeaconGroupFragment
      }
      hasBeaconGroup_func {
        ...count_functionsFragment
      }
      hasCollectionGroup {
        ...CollectionGroupFragment
      }
      hasCollectionGroup_func {
        ...count_functionsFragment
      }
      hasMediaObject {
        ...MediaObject_ExhibitionFragment
      }
      hasMediaObject_func {
        ...count_functionsFragment
      }
      id
      identifier {
        ...ExhibitionIdentifierFragment
      }
      identifier_func {
        ...count_functionsFragment
      }
      name
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    MediaObject_id {
      additionalType
      applet {
        ...MediaObject_AppletFragment
      }
      applet_func {
        ...count_functionsFragment
      }
      articleBody
      assetId
      audio {
        ...directus_filesFragment
      }
      contentUrl
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasCharacter {
        ...Character_MediaObjectFragment
      }
      hasCharacter_func {
        ...count_functionsFragment
      }
      hasPin {
        ...PinnedMediaObjectFragment
      }
      hasPin_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      isPartOfCollection {
        ...CollectionFragment
      }
      isPartOfExhibition {
        ...MediaObject_ExhibitionFragment
      }
      isPartOfExhibition_func {
        ...count_functionsFragment
      }
      isPartOfNarrativePlace {
        ...NarrativePlace_MediaObjectFragment
      }
      isPartOfNarrativePlace_func {
        ...count_functionsFragment
      }
      keyword {
        ...Keyword_MediaObjectFragment
      }
      keyword_func {
        ...count_functionsFragment
      }
      mediaRelationship {
        ...MediaRelationshipFragment
      }
      mediaRelationship_func {
        ...count_functionsFragment
      }
      messageBody
      name
      page {
        ...MediaObject_filesFragment
      }
      page_func {
        ...count_functionsFragment
      }
      playerType
      sort
      status
      thumbnail {
        ...directus_filesFragment
      }
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    id
  }
}
Variables
{"id": "4"}
Response
{
  "data": {
    "MediaObject_Exhibition_by_id": {
      "Exhibition_id": Exhibition,
      "MediaObject_id": MediaObject,
      "id": "4"
    }
  }
}

MediaObject_aggregated

Response

Returns [MediaObject_aggregated!]!

Arguments
Name Description
filter - MediaObject_filter
groupBy - [String]
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query MediaObject_aggregated(
  $filter: MediaObject_filter,
  $groupBy: [String],
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  MediaObject_aggregated(
    filter: $filter,
    groupBy: $groupBy,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    avg {
      sort
    }
    avgDistinct {
      sort
    }
    count {
      additionalType
      applet
      articleBody
      assetId
      audio
      contentUrl
      date_created
      date_updated
      description
      hasCharacter
      hasPin
      id
      image
      isPartOfCollection
      isPartOfExhibition
      isPartOfNarrativePlace
      keyword
      mediaRelationship
      messageBody
      name
      page
      playerType
      sort
      status
      thumbnail
      userActivity
      userMediaState
      user_created
      user_updated
    }
    countAll
    countDistinct {
      additionalType
      applet
      articleBody
      assetId
      audio
      contentUrl
      date_created
      date_updated
      description
      hasCharacter
      hasPin
      id
      image
      isPartOfCollection
      isPartOfExhibition
      isPartOfNarrativePlace
      keyword
      mediaRelationship
      messageBody
      name
      page
      playerType
      sort
      status
      thumbnail
      userActivity
      userMediaState
      user_created
      user_updated
    }
    group
    max {
      sort
    }
    min {
      sort
    }
    sum {
      sort
    }
    sumDistinct {
      sort
    }
  }
}
Variables
{
  "filter": MediaObject_filter,
  "groupBy": ["xyz789"],
  "limit": 123,
  "offset": 987,
  "page": 987,
  "search": "xyz789",
  "sort": ["abc123"]
}
Response
{
  "data": {
    "MediaObject_aggregated": [
      {
        "avg": MediaObject_aggregated_fields,
        "avgDistinct": MediaObject_aggregated_fields,
        "count": MediaObject_aggregated_count,
        "countAll": 123,
        "countDistinct": MediaObject_aggregated_count,
        "group": {},
        "max": MediaObject_aggregated_fields,
        "min": MediaObject_aggregated_fields,
        "sum": MediaObject_aggregated_fields,
        "sumDistinct": MediaObject_aggregated_fields
      }
    ]
  }
}

MediaObject_by_id

Response

Returns a MediaObject

Arguments
Name Description
id - ID!

Example

Query
query MediaObject_by_id($id: ID!) {
  MediaObject_by_id(id: $id) {
    additionalType
    applet {
      Applet_id {
        ...AppletFragment
      }
      MediaObject_id {
        ...MediaObjectFragment
      }
      id
    }
    applet_func {
      count
    }
    articleBody
    assetId
    audio {
      charset
      description
      duration
      embed
      filename_disk
      filename_download
      filesize
      folder {
        ...directus_foldersFragment
      }
      height
      id
      location
      metadata
      metadata_func {
        ...count_functionsFragment
      }
      modified_by {
        ...directus_usersFragment
      }
      modified_on
      modified_on_func {
        ...datetime_functionsFragment
      }
      storage
      tags
      tags_func {
        ...count_functionsFragment
      }
      title
      type
      uploaded_by {
        ...directus_usersFragment
      }
      uploaded_on
      uploaded_on_func {
        ...datetime_functionsFragment
      }
      width
    }
    contentUrl
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    description
    hasCharacter {
      Character_id {
        ...CharacterFragment
      }
      MediaObject_id {
        ...MediaObjectFragment
      }
      id
    }
    hasCharacter_func {
      count
    }
    hasPin {
      applet {
        ...AppletFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      endDate
      endDate_func {
        ...datetime_functionsFragment
      }
      id
      mediaObject {
        ...MediaObjectFragment
      }
      pinStatus
      sort
      startDate
      startDate_func {
        ...datetime_functionsFragment
      }
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    hasPin_func {
      count
    }
    id
    image {
      charset
      description
      duration
      embed
      filename_disk
      filename_download
      filesize
      folder {
        ...directus_foldersFragment
      }
      height
      id
      location
      metadata
      metadata_func {
        ...count_functionsFragment
      }
      modified_by {
        ...directus_usersFragment
      }
      modified_on
      modified_on_func {
        ...datetime_functionsFragment
      }
      storage
      tags
      tags_func {
        ...count_functionsFragment
      }
      title
      type
      uploaded_by {
        ...directus_usersFragment
      }
      uploaded_on
      uploaded_on_func {
        ...datetime_functionsFragment
      }
      width
    }
    isPartOfCollection {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasMediaObject {
        ...MediaObjectFragment
      }
      hasMediaObject_func {
        ...count_functionsFragment
      }
      id
      isDeliveredByBeaconGroup {
        ...BeaconGroupFragment
      }
      isPartOfCollectionGroup {
        ...CollectionGroupFragment
      }
      lockedImage {
        ...directus_filesFragment
      }
      name
      pushNotification {
        ...PushNotificationFragment
      }
      pushNotification_func {
        ...count_functionsFragment
      }
      sort
      status
      unlockedImage {
        ...directus_filesFragment
      }
      userUnlockState {
        ...UserUnlockStateFragment
      }
      userUnlockState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    isPartOfExhibition {
      Exhibition_id {
        ...ExhibitionFragment
      }
      MediaObject_id {
        ...MediaObjectFragment
      }
      id
    }
    isPartOfExhibition_func {
      count
    }
    isPartOfNarrativePlace {
      MediaObject_id {
        ...MediaObjectFragment
      }
      NarrativePlace_id {
        ...NarrativePlaceFragment
      }
      id
    }
    isPartOfNarrativePlace_func {
      count
    }
    keyword {
      Keyword_id {
        ...KeywordFragment
      }
      MediaObject_id {
        ...MediaObjectFragment
      }
      id
    }
    keyword_func {
      count
    }
    mediaRelationship {
      contributor {
        ...ContributorFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      hasMediaObject {
        ...MediaObjectFragment
      }
      id
      roleName {
        ...CreditsRoleFragment
      }
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    mediaRelationship_func {
      count
    }
    messageBody
    name
    page {
      MediaObject_id {
        ...MediaObjectFragment
      }
      directus_files_id {
        ...directus_filesFragment
      }
      id
    }
    page_func {
      count
    }
    playerType
    sort
    status
    thumbnail {
      charset
      description
      duration
      embed
      filename_disk
      filename_download
      filesize
      folder {
        ...directus_foldersFragment
      }
      height
      id
      location
      metadata
      metadata_func {
        ...count_functionsFragment
      }
      modified_by {
        ...directus_usersFragment
      }
      modified_on
      modified_on_func {
        ...datetime_functionsFragment
      }
      storage
      tags
      tags_func {
        ...count_functionsFragment
      }
      title
      type
      uploaded_by {
        ...directus_usersFragment
      }
      uploaded_on
      uploaded_on_func {
        ...datetime_functionsFragment
      }
      width
    }
    userActivity {
      action
      actionTime
      actionTime_func {
        ...datetime_functionsFragment
      }
      actionTrigger
      applet {
        ...AppletFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      id
      mediaObject {
        ...MediaObjectFragment
      }
      sort
      status
      user {
        ...WormholeUserFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    userActivity_func {
      count
    }
    userMediaState {
      applet {
        ...AppletFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      favorite
      firstOpenDate
      firstOpenDate_func {
        ...datetime_functionsFragment
      }
      id
      lastOpenDate
      lastOpenDate_func {
        ...datetime_functionsFragment
      }
      mediaObject {
        ...MediaObjectFragment
      }
      progressRate
      sort
      status
      user {
        ...WormholeUserFragment
      }
      userInteractionCount
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    userMediaState_func {
      count
    }
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{"id": "4"}
Response
{
  "data": {
    "MediaObject_by_id": {
      "additionalType": "xyz789",
      "applet": [MediaObject_Applet],
      "applet_func": count_functions,
      "articleBody": "abc123",
      "assetId": "xyz789",
      "audio": directus_files,
      "contentUrl": "abc123",
      "date_created": "2007-12-03",
      "date_created_func": datetime_functions,
      "date_updated": "2007-12-03",
      "date_updated_func": datetime_functions,
      "description": "abc123",
      "hasCharacter": [Character_MediaObject],
      "hasCharacter_func": count_functions,
      "hasPin": [PinnedMediaObject],
      "hasPin_func": count_functions,
      "id": 4,
      "image": directus_files,
      "isPartOfCollection": Collection,
      "isPartOfExhibition": [MediaObject_Exhibition],
      "isPartOfExhibition_func": count_functions,
      "isPartOfNarrativePlace": [
        NarrativePlace_MediaObject
      ],
      "isPartOfNarrativePlace_func": count_functions,
      "keyword": [Keyword_MediaObject],
      "keyword_func": count_functions,
      "mediaRelationship": [MediaRelationship],
      "mediaRelationship_func": count_functions,
      "messageBody": "xyz789",
      "name": "xyz789",
      "page": [MediaObject_files],
      "page_func": count_functions,
      "playerType": "xyz789",
      "sort": 987,
      "status": "abc123",
      "thumbnail": directus_files,
      "userActivity": [UserActivity],
      "userActivity_func": count_functions,
      "userMediaState": [UserMediaState],
      "userMediaState_func": count_functions,
      "user_created": directus_users,
      "user_updated": directus_users
    }
  }
}

MediaObject_files

Response

Returns [MediaObject_files!]!

Arguments
Name Description
filter - MediaObject_files_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query MediaObject_files(
  $filter: MediaObject_files_filter,
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  MediaObject_files(
    filter: $filter,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    MediaObject_id {
      additionalType
      applet {
        ...MediaObject_AppletFragment
      }
      applet_func {
        ...count_functionsFragment
      }
      articleBody
      assetId
      audio {
        ...directus_filesFragment
      }
      contentUrl
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasCharacter {
        ...Character_MediaObjectFragment
      }
      hasCharacter_func {
        ...count_functionsFragment
      }
      hasPin {
        ...PinnedMediaObjectFragment
      }
      hasPin_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      isPartOfCollection {
        ...CollectionFragment
      }
      isPartOfExhibition {
        ...MediaObject_ExhibitionFragment
      }
      isPartOfExhibition_func {
        ...count_functionsFragment
      }
      isPartOfNarrativePlace {
        ...NarrativePlace_MediaObjectFragment
      }
      isPartOfNarrativePlace_func {
        ...count_functionsFragment
      }
      keyword {
        ...Keyword_MediaObjectFragment
      }
      keyword_func {
        ...count_functionsFragment
      }
      mediaRelationship {
        ...MediaRelationshipFragment
      }
      mediaRelationship_func {
        ...count_functionsFragment
      }
      messageBody
      name
      page {
        ...MediaObject_filesFragment
      }
      page_func {
        ...count_functionsFragment
      }
      playerType
      sort
      status
      thumbnail {
        ...directus_filesFragment
      }
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    directus_files_id {
      charset
      description
      duration
      embed
      filename_disk
      filename_download
      filesize
      folder {
        ...directus_foldersFragment
      }
      height
      id
      location
      metadata
      metadata_func {
        ...count_functionsFragment
      }
      modified_by {
        ...directus_usersFragment
      }
      modified_on
      modified_on_func {
        ...datetime_functionsFragment
      }
      storage
      tags
      tags_func {
        ...count_functionsFragment
      }
      title
      type
      uploaded_by {
        ...directus_usersFragment
      }
      uploaded_on
      uploaded_on_func {
        ...datetime_functionsFragment
      }
      width
    }
    id
  }
}
Variables
{
  "filter": MediaObject_files_filter,
  "limit": 987,
  "offset": 987,
  "page": 987,
  "search": "abc123",
  "sort": ["abc123"]
}
Response
{
  "data": {
    "MediaObject_files": [
      {
        "MediaObject_id": MediaObject,
        "directus_files_id": directus_files,
        "id": 4
      }
    ]
  }
}

MediaObject_files_aggregated

Arguments
Name Description
filter - MediaObject_files_filter
groupBy - [String]
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query MediaObject_files_aggregated(
  $filter: MediaObject_files_filter,
  $groupBy: [String],
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  MediaObject_files_aggregated(
    filter: $filter,
    groupBy: $groupBy,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    avg {
      id
    }
    avgDistinct {
      id
    }
    count {
      MediaObject_id
      directus_files_id
      id
    }
    countAll
    countDistinct {
      MediaObject_id
      directus_files_id
      id
    }
    group
    max {
      id
    }
    min {
      id
    }
    sum {
      id
    }
    sumDistinct {
      id
    }
  }
}
Variables
{
  "filter": MediaObject_files_filter,
  "groupBy": ["xyz789"],
  "limit": 987,
  "offset": 123,
  "page": 987,
  "search": "abc123",
  "sort": ["xyz789"]
}
Response
{
  "data": {
    "MediaObject_files_aggregated": [
      {
        "avg": MediaObject_files_aggregated_fields,
        "avgDistinct": MediaObject_files_aggregated_fields,
        "count": MediaObject_files_aggregated_count,
        "countAll": 123,
        "countDistinct": MediaObject_files_aggregated_count,
        "group": {},
        "max": MediaObject_files_aggregated_fields,
        "min": MediaObject_files_aggregated_fields,
        "sum": MediaObject_files_aggregated_fields,
        "sumDistinct": MediaObject_files_aggregated_fields
      }
    ]
  }
}

MediaObject_files_by_id

Response

Returns a MediaObject_files

Arguments
Name Description
id - ID!

Example

Query
query MediaObject_files_by_id($id: ID!) {
  MediaObject_files_by_id(id: $id) {
    MediaObject_id {
      additionalType
      applet {
        ...MediaObject_AppletFragment
      }
      applet_func {
        ...count_functionsFragment
      }
      articleBody
      assetId
      audio {
        ...directus_filesFragment
      }
      contentUrl
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasCharacter {
        ...Character_MediaObjectFragment
      }
      hasCharacter_func {
        ...count_functionsFragment
      }
      hasPin {
        ...PinnedMediaObjectFragment
      }
      hasPin_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      isPartOfCollection {
        ...CollectionFragment
      }
      isPartOfExhibition {
        ...MediaObject_ExhibitionFragment
      }
      isPartOfExhibition_func {
        ...count_functionsFragment
      }
      isPartOfNarrativePlace {
        ...NarrativePlace_MediaObjectFragment
      }
      isPartOfNarrativePlace_func {
        ...count_functionsFragment
      }
      keyword {
        ...Keyword_MediaObjectFragment
      }
      keyword_func {
        ...count_functionsFragment
      }
      mediaRelationship {
        ...MediaRelationshipFragment
      }
      mediaRelationship_func {
        ...count_functionsFragment
      }
      messageBody
      name
      page {
        ...MediaObject_filesFragment
      }
      page_func {
        ...count_functionsFragment
      }
      playerType
      sort
      status
      thumbnail {
        ...directus_filesFragment
      }
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    directus_files_id {
      charset
      description
      duration
      embed
      filename_disk
      filename_download
      filesize
      folder {
        ...directus_foldersFragment
      }
      height
      id
      location
      metadata
      metadata_func {
        ...count_functionsFragment
      }
      modified_by {
        ...directus_usersFragment
      }
      modified_on
      modified_on_func {
        ...datetime_functionsFragment
      }
      storage
      tags
      tags_func {
        ...count_functionsFragment
      }
      title
      type
      uploaded_by {
        ...directus_usersFragment
      }
      uploaded_on
      uploaded_on_func {
        ...datetime_functionsFragment
      }
      width
    }
    id
  }
}
Variables
{"id": "4"}
Response
{
  "data": {
    "MediaObject_files_by_id": {
      "MediaObject_id": MediaObject,
      "directus_files_id": directus_files,
      "id": 4
    }
  }
}

MediaRelationship

MediaRelationship

Response

Returns [MediaRelationship!]!

Arguments
Name Description
filter - MediaRelationship_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query MediaRelationship(
  $filter: MediaRelationship_filter,
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  MediaRelationship(
    filter: $filter,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    contributor {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      familyName
      givenName
      id
      image {
        ...directus_filesFragment
      }
      mediaRelationship {
        ...MediaRelationshipFragment
      }
      mediaRelationship_func {
        ...count_functionsFragment
      }
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    hasMediaObject {
      additionalType
      applet {
        ...MediaObject_AppletFragment
      }
      applet_func {
        ...count_functionsFragment
      }
      articleBody
      assetId
      audio {
        ...directus_filesFragment
      }
      contentUrl
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasCharacter {
        ...Character_MediaObjectFragment
      }
      hasCharacter_func {
        ...count_functionsFragment
      }
      hasPin {
        ...PinnedMediaObjectFragment
      }
      hasPin_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      isPartOfCollection {
        ...CollectionFragment
      }
      isPartOfExhibition {
        ...MediaObject_ExhibitionFragment
      }
      isPartOfExhibition_func {
        ...count_functionsFragment
      }
      isPartOfNarrativePlace {
        ...NarrativePlace_MediaObjectFragment
      }
      isPartOfNarrativePlace_func {
        ...count_functionsFragment
      }
      keyword {
        ...Keyword_MediaObjectFragment
      }
      keyword_func {
        ...count_functionsFragment
      }
      mediaRelationship {
        ...MediaRelationshipFragment
      }
      mediaRelationship_func {
        ...count_functionsFragment
      }
      messageBody
      name
      page {
        ...MediaObject_filesFragment
      }
      page_func {
        ...count_functionsFragment
      }
      playerType
      sort
      status
      thumbnail {
        ...directus_filesFragment
      }
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    id
    roleName {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      id
      mediaRelationship {
        ...MediaRelationshipFragment
      }
      mediaRelationship_func {
        ...count_functionsFragment
      }
      name
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    sort
    status
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{
  "filter": MediaRelationship_filter,
  "limit": 987,
  "offset": 123,
  "page": 123,
  "search": "xyz789",
  "sort": ["xyz789"]
}
Response
{
  "data": {
    "MediaRelationship": [
      {
        "contributor": Contributor,
        "date_created": "2007-12-03",
        "date_created_func": datetime_functions,
        "date_updated": "2007-12-03",
        "date_updated_func": datetime_functions,
        "hasMediaObject": MediaObject,
        "id": "4",
        "roleName": CreditsRole,
        "sort": 123,
        "status": "abc123",
        "user_created": directus_users,
        "user_updated": directus_users
      }
    ]
  }
}

MediaRelationship_aggregated

Arguments
Name Description
filter - MediaRelationship_filter
groupBy - [String]
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query MediaRelationship_aggregated(
  $filter: MediaRelationship_filter,
  $groupBy: [String],
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  MediaRelationship_aggregated(
    filter: $filter,
    groupBy: $groupBy,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    avg {
      sort
    }
    avgDistinct {
      sort
    }
    count {
      contributor
      date_created
      date_updated
      hasMediaObject
      id
      roleName
      sort
      status
      user_created
      user_updated
    }
    countAll
    countDistinct {
      contributor
      date_created
      date_updated
      hasMediaObject
      id
      roleName
      sort
      status
      user_created
      user_updated
    }
    group
    max {
      sort
    }
    min {
      sort
    }
    sum {
      sort
    }
    sumDistinct {
      sort
    }
  }
}
Variables
{
  "filter": MediaRelationship_filter,
  "groupBy": ["abc123"],
  "limit": 123,
  "offset": 123,
  "page": 123,
  "search": "xyz789",
  "sort": ["abc123"]
}
Response
{
  "data": {
    "MediaRelationship_aggregated": [
      {
        "avg": MediaRelationship_aggregated_fields,
        "avgDistinct": MediaRelationship_aggregated_fields,
        "count": MediaRelationship_aggregated_count,
        "countAll": 123,
        "countDistinct": MediaRelationship_aggregated_count,
        "group": {},
        "max": MediaRelationship_aggregated_fields,
        "min": MediaRelationship_aggregated_fields,
        "sum": MediaRelationship_aggregated_fields,
        "sumDistinct": MediaRelationship_aggregated_fields
      }
    ]
  }
}

MediaRelationship_by_id

Response

Returns a MediaRelationship

Arguments
Name Description
id - ID!

Example

Query
query MediaRelationship_by_id($id: ID!) {
  MediaRelationship_by_id(id: $id) {
    contributor {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      familyName
      givenName
      id
      image {
        ...directus_filesFragment
      }
      mediaRelationship {
        ...MediaRelationshipFragment
      }
      mediaRelationship_func {
        ...count_functionsFragment
      }
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    hasMediaObject {
      additionalType
      applet {
        ...MediaObject_AppletFragment
      }
      applet_func {
        ...count_functionsFragment
      }
      articleBody
      assetId
      audio {
        ...directus_filesFragment
      }
      contentUrl
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasCharacter {
        ...Character_MediaObjectFragment
      }
      hasCharacter_func {
        ...count_functionsFragment
      }
      hasPin {
        ...PinnedMediaObjectFragment
      }
      hasPin_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      isPartOfCollection {
        ...CollectionFragment
      }
      isPartOfExhibition {
        ...MediaObject_ExhibitionFragment
      }
      isPartOfExhibition_func {
        ...count_functionsFragment
      }
      isPartOfNarrativePlace {
        ...NarrativePlace_MediaObjectFragment
      }
      isPartOfNarrativePlace_func {
        ...count_functionsFragment
      }
      keyword {
        ...Keyword_MediaObjectFragment
      }
      keyword_func {
        ...count_functionsFragment
      }
      mediaRelationship {
        ...MediaRelationshipFragment
      }
      mediaRelationship_func {
        ...count_functionsFragment
      }
      messageBody
      name
      page {
        ...MediaObject_filesFragment
      }
      page_func {
        ...count_functionsFragment
      }
      playerType
      sort
      status
      thumbnail {
        ...directus_filesFragment
      }
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    id
    roleName {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      id
      mediaRelationship {
        ...MediaRelationshipFragment
      }
      mediaRelationship_func {
        ...count_functionsFragment
      }
      name
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    sort
    status
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{"id": "4"}
Response
{
  "data": {
    "MediaRelationship_by_id": {
      "contributor": Contributor,
      "date_created": "2007-12-03",
      "date_created_func": datetime_functions,
      "date_updated": "2007-12-03",
      "date_updated_func": datetime_functions,
      "hasMediaObject": MediaObject,
      "id": 4,
      "roleName": CreditsRole,
      "sort": 987,
      "status": "abc123",
      "user_created": directus_users,
      "user_updated": directus_users
    }
  }
}

MembershipProgramIdentifier

MembershipProgramIdentifier

Description

fetch data from the table: "MembershipProgramIdentifier"

Arguments
Name Description
distinct_on - [MembershipProgramIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [MembershipProgramIdentifier_order_by!] sort the rows by one or more columns
where - MembershipProgramIdentifier_bool_exp filter the rows returned

Example

Query
query MembershipProgramIdentifier(
  $distinct_on: [MembershipProgramIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [MembershipProgramIdentifier_order_by!],
  $where: MembershipProgramIdentifier_bool_exp
) {
  MembershipProgramIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    id
    membershipProgramId
    name
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["id"],
  "limit": 987,
  "offset": 123,
  "order_by": [MembershipProgramIdentifier_order_by],
  "where": MembershipProgramIdentifier_bool_exp
}
Response
{
  "data": {
    "MembershipProgramIdentifier": [
      {
        "id": uuid,
        "membershipProgramId": uuid,
        "name": "abc123",
        "value": "abc123",
        "valueReference": "xyz789"
      }
    ]
  }
}

MembershipProgramIdentifier_by_pk

Description

fetch data from the table: "MembershipProgramIdentifier" using primary key columns

Response

Returns a MembershipProgramIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query MembershipProgramIdentifier_by_pk($id: uuid!) {
  MembershipProgramIdentifier_by_pk(id: $id) {
    id
    membershipProgramId
    name
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "MembershipProgramIdentifier_by_pk": {
      "id": uuid,
      "membershipProgramId": uuid,
      "name": "xyz789",
      "value": "xyz789",
      "valueReference": "xyz789"
    }
  }
}

NarrativePlace

NarrativePlace

Response

Returns [NarrativePlace!]!

Arguments
Name Description
filter - NarrativePlace_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query NarrativePlace(
  $filter: NarrativePlace_filter,
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  NarrativePlace(
    filter: $filter,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    additionalType
    apartmentNumber
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    description
    id
    image {
      charset
      description
      duration
      embed
      filename_disk
      filename_download
      filesize
      folder {
        ...directus_foldersFragment
      }
      height
      id
      location
      metadata
      metadata_func {
        ...count_functionsFragment
      }
      modified_by {
        ...directus_usersFragment
      }
      modified_on
      modified_on_func {
        ...datetime_functionsFragment
      }
      storage
      tags
      tags_func {
        ...count_functionsFragment
      }
      title
      type
      uploaded_by {
        ...directus_usersFragment
      }
      uploaded_on
      uploaded_on_func {
        ...datetime_functionsFragment
      }
      width
    }
    isPartOfMediaObject {
      MediaObject_id {
        ...MediaObjectFragment
      }
      NarrativePlace_id {
        ...NarrativePlaceFragment
      }
      id
    }
    isPartOfMediaObject_func {
      count
    }
    name
    postalCode
    sort
    status
    streetAddress
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{
  "filter": NarrativePlace_filter,
  "limit": 987,
  "offset": 123,
  "page": 987,
  "search": "xyz789",
  "sort": ["abc123"]
}
Response
{
  "data": {
    "NarrativePlace": [
      {
        "additionalType": "abc123",
        "apartmentNumber": "xyz789",
        "date_created": "2007-12-03",
        "date_created_func": datetime_functions,
        "date_updated": "2007-12-03",
        "date_updated_func": datetime_functions,
        "description": "abc123",
        "id": "4",
        "image": directus_files,
        "isPartOfMediaObject": [
          NarrativePlace_MediaObject
        ],
        "isPartOfMediaObject_func": count_functions,
        "name": "abc123",
        "postalCode": "abc123",
        "sort": 123,
        "status": "abc123",
        "streetAddress": "xyz789",
        "user_created": directus_users,
        "user_updated": directus_users
      }
    ]
  }
}

NarrativePlace_MediaObject

Arguments
Name Description
filter - NarrativePlace_MediaObject_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query NarrativePlace_MediaObject(
  $filter: NarrativePlace_MediaObject_filter,
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  NarrativePlace_MediaObject(
    filter: $filter,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    MediaObject_id {
      additionalType
      applet {
        ...MediaObject_AppletFragment
      }
      applet_func {
        ...count_functionsFragment
      }
      articleBody
      assetId
      audio {
        ...directus_filesFragment
      }
      contentUrl
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasCharacter {
        ...Character_MediaObjectFragment
      }
      hasCharacter_func {
        ...count_functionsFragment
      }
      hasPin {
        ...PinnedMediaObjectFragment
      }
      hasPin_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      isPartOfCollection {
        ...CollectionFragment
      }
      isPartOfExhibition {
        ...MediaObject_ExhibitionFragment
      }
      isPartOfExhibition_func {
        ...count_functionsFragment
      }
      isPartOfNarrativePlace {
        ...NarrativePlace_MediaObjectFragment
      }
      isPartOfNarrativePlace_func {
        ...count_functionsFragment
      }
      keyword {
        ...Keyword_MediaObjectFragment
      }
      keyword_func {
        ...count_functionsFragment
      }
      mediaRelationship {
        ...MediaRelationshipFragment
      }
      mediaRelationship_func {
        ...count_functionsFragment
      }
      messageBody
      name
      page {
        ...MediaObject_filesFragment
      }
      page_func {
        ...count_functionsFragment
      }
      playerType
      sort
      status
      thumbnail {
        ...directus_filesFragment
      }
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    NarrativePlace_id {
      additionalType
      apartmentNumber
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      id
      image {
        ...directus_filesFragment
      }
      isPartOfMediaObject {
        ...NarrativePlace_MediaObjectFragment
      }
      isPartOfMediaObject_func {
        ...count_functionsFragment
      }
      name
      postalCode
      sort
      status
      streetAddress
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    id
  }
}
Variables
{
  "filter": NarrativePlace_MediaObject_filter,
  "limit": 987,
  "offset": 987,
  "page": 123,
  "search": "abc123",
  "sort": ["abc123"]
}
Response
{
  "data": {
    "NarrativePlace_MediaObject": [
      {
        "MediaObject_id": MediaObject,
        "NarrativePlace_id": NarrativePlace,
        "id": 4
      }
    ]
  }
}

NarrativePlace_MediaObject_aggregated

Arguments
Name Description
filter - NarrativePlace_MediaObject_filter
groupBy - [String]
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query NarrativePlace_MediaObject_aggregated(
  $filter: NarrativePlace_MediaObject_filter,
  $groupBy: [String],
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  NarrativePlace_MediaObject_aggregated(
    filter: $filter,
    groupBy: $groupBy,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    avg {
      id
    }
    avgDistinct {
      id
    }
    count {
      MediaObject_id
      NarrativePlace_id
      id
    }
    countAll
    countDistinct {
      MediaObject_id
      NarrativePlace_id
      id
    }
    group
    max {
      id
    }
    min {
      id
    }
    sum {
      id
    }
    sumDistinct {
      id
    }
  }
}
Variables
{
  "filter": NarrativePlace_MediaObject_filter,
  "groupBy": ["xyz789"],
  "limit": 123,
  "offset": 123,
  "page": 987,
  "search": "xyz789",
  "sort": ["abc123"]
}
Response
{
  "data": {
    "NarrativePlace_MediaObject_aggregated": [
      {
        "avg": NarrativePlace_MediaObject_aggregated_fields,
        "avgDistinct": NarrativePlace_MediaObject_aggregated_fields,
        "count": NarrativePlace_MediaObject_aggregated_count,
        "countAll": 123,
        "countDistinct": NarrativePlace_MediaObject_aggregated_count,
        "group": {},
        "max": NarrativePlace_MediaObject_aggregated_fields,
        "min": NarrativePlace_MediaObject_aggregated_fields,
        "sum": NarrativePlace_MediaObject_aggregated_fields,
        "sumDistinct": NarrativePlace_MediaObject_aggregated_fields
      }
    ]
  }
}

NarrativePlace_MediaObject_by_id

Response

Returns a NarrativePlace_MediaObject

Arguments
Name Description
id - ID!

Example

Query
query NarrativePlace_MediaObject_by_id($id: ID!) {
  NarrativePlace_MediaObject_by_id(id: $id) {
    MediaObject_id {
      additionalType
      applet {
        ...MediaObject_AppletFragment
      }
      applet_func {
        ...count_functionsFragment
      }
      articleBody
      assetId
      audio {
        ...directus_filesFragment
      }
      contentUrl
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasCharacter {
        ...Character_MediaObjectFragment
      }
      hasCharacter_func {
        ...count_functionsFragment
      }
      hasPin {
        ...PinnedMediaObjectFragment
      }
      hasPin_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      isPartOfCollection {
        ...CollectionFragment
      }
      isPartOfExhibition {
        ...MediaObject_ExhibitionFragment
      }
      isPartOfExhibition_func {
        ...count_functionsFragment
      }
      isPartOfNarrativePlace {
        ...NarrativePlace_MediaObjectFragment
      }
      isPartOfNarrativePlace_func {
        ...count_functionsFragment
      }
      keyword {
        ...Keyword_MediaObjectFragment
      }
      keyword_func {
        ...count_functionsFragment
      }
      mediaRelationship {
        ...MediaRelationshipFragment
      }
      mediaRelationship_func {
        ...count_functionsFragment
      }
      messageBody
      name
      page {
        ...MediaObject_filesFragment
      }
      page_func {
        ...count_functionsFragment
      }
      playerType
      sort
      status
      thumbnail {
        ...directus_filesFragment
      }
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    NarrativePlace_id {
      additionalType
      apartmentNumber
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      id
      image {
        ...directus_filesFragment
      }
      isPartOfMediaObject {
        ...NarrativePlace_MediaObjectFragment
      }
      isPartOfMediaObject_func {
        ...count_functionsFragment
      }
      name
      postalCode
      sort
      status
      streetAddress
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    id
  }
}
Variables
{"id": 4}
Response
{
  "data": {
    "NarrativePlace_MediaObject_by_id": {
      "MediaObject_id": MediaObject,
      "NarrativePlace_id": NarrativePlace,
      "id": 4
    }
  }
}

NarrativePlace_aggregated

Arguments
Name Description
filter - NarrativePlace_filter
groupBy - [String]
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query NarrativePlace_aggregated(
  $filter: NarrativePlace_filter,
  $groupBy: [String],
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  NarrativePlace_aggregated(
    filter: $filter,
    groupBy: $groupBy,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    avg {
      sort
    }
    avgDistinct {
      sort
    }
    count {
      additionalType
      apartmentNumber
      date_created
      date_updated
      description
      id
      image
      isPartOfMediaObject
      name
      postalCode
      sort
      status
      streetAddress
      user_created
      user_updated
    }
    countAll
    countDistinct {
      additionalType
      apartmentNumber
      date_created
      date_updated
      description
      id
      image
      isPartOfMediaObject
      name
      postalCode
      sort
      status
      streetAddress
      user_created
      user_updated
    }
    group
    max {
      sort
    }
    min {
      sort
    }
    sum {
      sort
    }
    sumDistinct {
      sort
    }
  }
}
Variables
{
  "filter": NarrativePlace_filter,
  "groupBy": ["xyz789"],
  "limit": 123,
  "offset": 123,
  "page": 123,
  "search": "xyz789",
  "sort": ["xyz789"]
}
Response
{
  "data": {
    "NarrativePlace_aggregated": [
      {
        "avg": NarrativePlace_aggregated_fields,
        "avgDistinct": NarrativePlace_aggregated_fields,
        "count": NarrativePlace_aggregated_count,
        "countAll": 987,
        "countDistinct": NarrativePlace_aggregated_count,
        "group": {},
        "max": NarrativePlace_aggregated_fields,
        "min": NarrativePlace_aggregated_fields,
        "sum": NarrativePlace_aggregated_fields,
        "sumDistinct": NarrativePlace_aggregated_fields
      }
    ]
  }
}

NarrativePlace_by_id

Response

Returns a NarrativePlace

Arguments
Name Description
id - ID!

Example

Query
query NarrativePlace_by_id($id: ID!) {
  NarrativePlace_by_id(id: $id) {
    additionalType
    apartmentNumber
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    description
    id
    image {
      charset
      description
      duration
      embed
      filename_disk
      filename_download
      filesize
      folder {
        ...directus_foldersFragment
      }
      height
      id
      location
      metadata
      metadata_func {
        ...count_functionsFragment
      }
      modified_by {
        ...directus_usersFragment
      }
      modified_on
      modified_on_func {
        ...datetime_functionsFragment
      }
      storage
      tags
      tags_func {
        ...count_functionsFragment
      }
      title
      type
      uploaded_by {
        ...directus_usersFragment
      }
      uploaded_on
      uploaded_on_func {
        ...datetime_functionsFragment
      }
      width
    }
    isPartOfMediaObject {
      MediaObject_id {
        ...MediaObjectFragment
      }
      NarrativePlace_id {
        ...NarrativePlaceFragment
      }
      id
    }
    isPartOfMediaObject_func {
      count
    }
    name
    postalCode
    sort
    status
    streetAddress
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{"id": 4}
Response
{
  "data": {
    "NarrativePlace_by_id": {
      "additionalType": "xyz789",
      "apartmentNumber": "xyz789",
      "date_created": "2007-12-03",
      "date_created_func": datetime_functions,
      "date_updated": "2007-12-03",
      "date_updated_func": datetime_functions,
      "description": "xyz789",
      "id": 4,
      "image": directus_files,
      "isPartOfMediaObject": [NarrativePlace_MediaObject],
      "isPartOfMediaObject_func": count_functions,
      "name": "xyz789",
      "postalCode": "xyz789",
      "sort": 123,
      "status": "xyz789",
      "streetAddress": "abc123",
      "user_created": directus_users,
      "user_updated": directus_users
    }
  }
}

OfferCatalogIdentifier

OfferCatalogIdentifier

Description

fetch data from the table: "OfferCatalogIdentifier"

Response

Returns [OfferCatalogIdentifier!]!

Arguments
Name Description
distinct_on - [OfferCatalogIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [OfferCatalogIdentifier_order_by!] sort the rows by one or more columns
where - OfferCatalogIdentifier_bool_exp filter the rows returned

Example

Query
query OfferCatalogIdentifier(
  $distinct_on: [OfferCatalogIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [OfferCatalogIdentifier_order_by!],
  $where: OfferCatalogIdentifier_bool_exp
) {
  OfferCatalogIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    id
    name
    offerCatalogId
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["id"],
  "limit": 123,
  "offset": 123,
  "order_by": [OfferCatalogIdentifier_order_by],
  "where": OfferCatalogIdentifier_bool_exp
}
Response
{
  "data": {
    "OfferCatalogIdentifier": [
      {
        "id": uuid,
        "name": "xyz789",
        "offerCatalogId": uuid,
        "value": "xyz789",
        "valueReference": "abc123"
      }
    ]
  }
}

OfferCatalogIdentifier_by_pk

Description

fetch data from the table: "OfferCatalogIdentifier" using primary key columns

Response

Returns an OfferCatalogIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query OfferCatalogIdentifier_by_pk($id: uuid!) {
  OfferCatalogIdentifier_by_pk(id: $id) {
    id
    name
    offerCatalogId
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "OfferCatalogIdentifier_by_pk": {
      "id": uuid,
      "name": "xyz789",
      "offerCatalogId": uuid,
      "value": "abc123",
      "valueReference": "xyz789"
    }
  }
}

Order

Order

Description

fetch data from the table: "Order"

Response

Returns [Order!]!

Arguments
Name Description
distinct_on - [Order_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [Order_order_by!] sort the rows by one or more columns
where - Order_bool_exp filter the rows returned

Example

Query
query Order(
  $distinct_on: [Order_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [Order_order_by!],
  $where: Order_bool_exp
) {
  Order(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    billingAddress {
      addressCountry {
        ...CountryFragment
      }
      addressCountryId
      addressLocality
      addressRegion
      id
      identifier {
        ...PostalAddressIdentifierFragment
      }
      name
      order {
        ...OrderFragment
      }
      organization {
        ...OrganizationFragment
      }
      organizationId
      person {
        ...PersonFragment
      }
      place {
        ...PlaceFragment
      }
      placeId
      postOfficeBoxNumber
      postalCode
      streetAddress
      telephone
    }
    billingAddressId
    broker {
      address {
        ...PostalAddressFragment
      }
      affiliated {
        ...PersonFragment
      }
      alternateName
      id
      identifier {
        ...OrganizationIdentifierFragment
      }
      invoice_broker {
        ...InvoiceFragment
      }
      invoice_provider {
        ...InvoiceFragment
      }
      location {
        ...PlaceFragment
      }
      locationId
      name
      order_broker {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation_broker {
        ...ReservationFragment
      }
      reservation_proivider {
        ...ReservationFragment
      }
      seller {
        ...OrderFragment
      }
      ticket {
        ...TicketFragment
      }
      url
    }
    brokerId
    confirmationNumber
    customer {
      address {
        ...PostalAddressFragment
      }
      affiliation {
        ...OrganizationFragment
      }
      affiliationId
      birthDate
      dateCreated
      dateModified
      email
      familyName
      givenName
      homeLocation {
        ...PostalAddressFragment
      }
      homeLocationId
      honorificPrefix
      honorificSuffix
      id
      identifier {
        ...PersonIdentifierFragment
      }
      invoice {
        ...InvoiceFragment
      }
      nationality {
        ...CountryFragment
      }
      nationalityId
      order {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation {
        ...ReservationFragment
      }
      reservedTicket {
        ...TicketFragment
      }
      telephone
    }
    customerId
    discount
    discountCode
    facePrice
    id
    identifier {
      id
      name
      order {
        ...OrderFragment
      }
      orderId
      value
      valueReference
    }
    isGift
    orderDate
    orderNumber
    orderStatus {
      description
      name
    }
    orderStatusName
    orderedItem {
      id
      identifier {
        ...OrderItemIdentifierFragment
      }
      order {
        ...OrderFragment
      }
      orderId
      orderItemStatus {
        ...OrderStatusFragment
      }
      orderItemStatusName
      orderQuantity
      product {
        ...ProductFragment
      }
      productId
      totalPaymentDue
    }
    partOfInvoice {
      accountId
      billingPeriod
      broker {
        ...OrganizationFragment
      }
      brokerId
      confirmationNumber
      customer {
        ...PersonFragment
      }
      customerId
      id
      identifier {
        ...InvoiceIdentifierFragment
      }
      minimumPaymentDue
      orderId
      paymentDueDate
      paymentMethod {
        ...PaymentMethodFragment
      }
      paymentMethodName
      paymentStatus {
        ...PaymentStatusTypeFragment
      }
      paymentStatusTypeName
      provider {
        ...OrganizationFragment
      }
      providerId
      referencesOrder {
        ...OrderFragment
      }
      scheduledPaymentDate
      totalPaymentDue
    }
    reservation {
      bookingTime
      broker {
        ...OrganizationFragment
      }
      brokerId
      id
      identifier {
        ...ReservationIdentifierFragment
      }
      modifiedTime
      orderId
      partOfOrder {
        ...OrderFragment
      }
      priceCurrency
      programMembershipUsed {
        ...ProgramMembershipFragment
      }
      programMembershipUsedId
      provider {
        ...OrganizationFragment
      }
      providerId
      reservationFor {
        ...EntryFragment
      }
      reservationForId
      reservationId
      reservationStatus {
        ...ReservationStatusTypeFragment
      }
      reservationStatusTypeName
      reservedTicket {
        ...TicketFragment
      }
      totalPrice
      underName {
        ...PersonFragment
      }
      underNameId
    }
    seller {
      address {
        ...PostalAddressFragment
      }
      affiliated {
        ...PersonFragment
      }
      alternateName
      id
      identifier {
        ...OrganizationIdentifierFragment
      }
      invoice_broker {
        ...InvoiceFragment
      }
      invoice_provider {
        ...InvoiceFragment
      }
      location {
        ...PlaceFragment
      }
      locationId
      name
      order_broker {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation_broker {
        ...ReservationFragment
      }
      reservation_proivider {
        ...ReservationFragment
      }
      seller {
        ...OrderFragment
      }
      ticket {
        ...TicketFragment
      }
      url
    }
    sellerId
    totalFee
    totalPaymentDue
    totalTax
  }
}
Variables
{
  "distinct_on": ["billingAddressId"],
  "limit": 123,
  "offset": 123,
  "order_by": [Order_order_by],
  "where": Order_bool_exp
}
Response
{
  "data": {
    "Order": [
      {
        "billingAddress": PostalAddress,
        "billingAddressId": uuid,
        "broker": Organization,
        "brokerId": uuid,
        "confirmationNumber": "xyz789",
        "customer": Person,
        "customerId": uuid,
        "discount": numeric,
        "discountCode": "xyz789",
        "facePrice": numeric,
        "id": uuid,
        "identifier": [OrderIdentifier],
        "isGift": true,
        "orderDate": timestamp,
        "orderNumber": "xyz789",
        "orderStatus": OrderStatus,
        "orderStatusName": "OrderCancelled",
        "orderedItem": [OrderItem],
        "partOfInvoice": [Invoice],
        "reservation": [Reservation],
        "seller": Organization,
        "sellerId": uuid,
        "totalFee": numeric,
        "totalPaymentDue": numeric,
        "totalTax": numeric
      }
    ]
  }
}

Order_by_pk

Description

fetch data from the table: "Order" using primary key columns

Response

Returns an Order

Arguments
Name Description
id - uuid!

Example

Query
query Order_by_pk($id: uuid!) {
  Order_by_pk(id: $id) {
    billingAddress {
      addressCountry {
        ...CountryFragment
      }
      addressCountryId
      addressLocality
      addressRegion
      id
      identifier {
        ...PostalAddressIdentifierFragment
      }
      name
      order {
        ...OrderFragment
      }
      organization {
        ...OrganizationFragment
      }
      organizationId
      person {
        ...PersonFragment
      }
      place {
        ...PlaceFragment
      }
      placeId
      postOfficeBoxNumber
      postalCode
      streetAddress
      telephone
    }
    billingAddressId
    broker {
      address {
        ...PostalAddressFragment
      }
      affiliated {
        ...PersonFragment
      }
      alternateName
      id
      identifier {
        ...OrganizationIdentifierFragment
      }
      invoice_broker {
        ...InvoiceFragment
      }
      invoice_provider {
        ...InvoiceFragment
      }
      location {
        ...PlaceFragment
      }
      locationId
      name
      order_broker {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation_broker {
        ...ReservationFragment
      }
      reservation_proivider {
        ...ReservationFragment
      }
      seller {
        ...OrderFragment
      }
      ticket {
        ...TicketFragment
      }
      url
    }
    brokerId
    confirmationNumber
    customer {
      address {
        ...PostalAddressFragment
      }
      affiliation {
        ...OrganizationFragment
      }
      affiliationId
      birthDate
      dateCreated
      dateModified
      email
      familyName
      givenName
      homeLocation {
        ...PostalAddressFragment
      }
      homeLocationId
      honorificPrefix
      honorificSuffix
      id
      identifier {
        ...PersonIdentifierFragment
      }
      invoice {
        ...InvoiceFragment
      }
      nationality {
        ...CountryFragment
      }
      nationalityId
      order {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation {
        ...ReservationFragment
      }
      reservedTicket {
        ...TicketFragment
      }
      telephone
    }
    customerId
    discount
    discountCode
    facePrice
    id
    identifier {
      id
      name
      order {
        ...OrderFragment
      }
      orderId
      value
      valueReference
    }
    isGift
    orderDate
    orderNumber
    orderStatus {
      description
      name
    }
    orderStatusName
    orderedItem {
      id
      identifier {
        ...OrderItemIdentifierFragment
      }
      order {
        ...OrderFragment
      }
      orderId
      orderItemStatus {
        ...OrderStatusFragment
      }
      orderItemStatusName
      orderQuantity
      product {
        ...ProductFragment
      }
      productId
      totalPaymentDue
    }
    partOfInvoice {
      accountId
      billingPeriod
      broker {
        ...OrganizationFragment
      }
      brokerId
      confirmationNumber
      customer {
        ...PersonFragment
      }
      customerId
      id
      identifier {
        ...InvoiceIdentifierFragment
      }
      minimumPaymentDue
      orderId
      paymentDueDate
      paymentMethod {
        ...PaymentMethodFragment
      }
      paymentMethodName
      paymentStatus {
        ...PaymentStatusTypeFragment
      }
      paymentStatusTypeName
      provider {
        ...OrganizationFragment
      }
      providerId
      referencesOrder {
        ...OrderFragment
      }
      scheduledPaymentDate
      totalPaymentDue
    }
    reservation {
      bookingTime
      broker {
        ...OrganizationFragment
      }
      brokerId
      id
      identifier {
        ...ReservationIdentifierFragment
      }
      modifiedTime
      orderId
      partOfOrder {
        ...OrderFragment
      }
      priceCurrency
      programMembershipUsed {
        ...ProgramMembershipFragment
      }
      programMembershipUsedId
      provider {
        ...OrganizationFragment
      }
      providerId
      reservationFor {
        ...EntryFragment
      }
      reservationForId
      reservationId
      reservationStatus {
        ...ReservationStatusTypeFragment
      }
      reservationStatusTypeName
      reservedTicket {
        ...TicketFragment
      }
      totalPrice
      underName {
        ...PersonFragment
      }
      underNameId
    }
    seller {
      address {
        ...PostalAddressFragment
      }
      affiliated {
        ...PersonFragment
      }
      alternateName
      id
      identifier {
        ...OrganizationIdentifierFragment
      }
      invoice_broker {
        ...InvoiceFragment
      }
      invoice_provider {
        ...InvoiceFragment
      }
      location {
        ...PlaceFragment
      }
      locationId
      name
      order_broker {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation_broker {
        ...ReservationFragment
      }
      reservation_proivider {
        ...ReservationFragment
      }
      seller {
        ...OrderFragment
      }
      ticket {
        ...TicketFragment
      }
      url
    }
    sellerId
    totalFee
    totalPaymentDue
    totalTax
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "Order_by_pk": {
      "billingAddress": PostalAddress,
      "billingAddressId": uuid,
      "broker": Organization,
      "brokerId": uuid,
      "confirmationNumber": "xyz789",
      "customer": Person,
      "customerId": uuid,
      "discount": numeric,
      "discountCode": "xyz789",
      "facePrice": numeric,
      "id": uuid,
      "identifier": [OrderIdentifier],
      "isGift": true,
      "orderDate": timestamp,
      "orderNumber": "xyz789",
      "orderStatus": OrderStatus,
      "orderStatusName": "OrderCancelled",
      "orderedItem": [OrderItem],
      "partOfInvoice": [Invoice],
      "reservation": [Reservation],
      "seller": Organization,
      "sellerId": uuid,
      "totalFee": numeric,
      "totalPaymentDue": numeric,
      "totalTax": numeric
    }
  }
}

OrderIdentifier

OrderIdentifier

Description

fetch data from the table: "OrderIdentifier"

Response

Returns [OrderIdentifier!]!

Arguments
Name Description
distinct_on - [OrderIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [OrderIdentifier_order_by!] sort the rows by one or more columns
where - OrderIdentifier_bool_exp filter the rows returned

Example

Query
query OrderIdentifier(
  $distinct_on: [OrderIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [OrderIdentifier_order_by!],
  $where: OrderIdentifier_bool_exp
) {
  OrderIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    id
    name
    order {
      billingAddress {
        ...PostalAddressFragment
      }
      billingAddressId
      broker {
        ...OrganizationFragment
      }
      brokerId
      confirmationNumber
      customer {
        ...PersonFragment
      }
      customerId
      discount
      discountCode
      facePrice
      id
      identifier {
        ...OrderIdentifierFragment
      }
      isGift
      orderDate
      orderNumber
      orderStatus {
        ...OrderStatusFragment
      }
      orderStatusName
      orderedItem {
        ...OrderItemFragment
      }
      partOfInvoice {
        ...InvoiceFragment
      }
      reservation {
        ...ReservationFragment
      }
      seller {
        ...OrganizationFragment
      }
      sellerId
      totalFee
      totalPaymentDue
      totalTax
    }
    orderId
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["id"],
  "limit": 987,
  "offset": 987,
  "order_by": [OrderIdentifier_order_by],
  "where": OrderIdentifier_bool_exp
}
Response
{
  "data": {
    "OrderIdentifier": [
      {
        "id": uuid,
        "name": "abc123",
        "order": Order,
        "orderId": uuid,
        "value": "xyz789",
        "valueReference": "abc123"
      }
    ]
  }
}

OrderIdentifier_by_pk

Description

fetch data from the table: "OrderIdentifier" using primary key columns

Response

Returns an OrderIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query OrderIdentifier_by_pk($id: uuid!) {
  OrderIdentifier_by_pk(id: $id) {
    id
    name
    order {
      billingAddress {
        ...PostalAddressFragment
      }
      billingAddressId
      broker {
        ...OrganizationFragment
      }
      brokerId
      confirmationNumber
      customer {
        ...PersonFragment
      }
      customerId
      discount
      discountCode
      facePrice
      id
      identifier {
        ...OrderIdentifierFragment
      }
      isGift
      orderDate
      orderNumber
      orderStatus {
        ...OrderStatusFragment
      }
      orderStatusName
      orderedItem {
        ...OrderItemFragment
      }
      partOfInvoice {
        ...InvoiceFragment
      }
      reservation {
        ...ReservationFragment
      }
      seller {
        ...OrganizationFragment
      }
      sellerId
      totalFee
      totalPaymentDue
      totalTax
    }
    orderId
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "OrderIdentifier_by_pk": {
      "id": uuid,
      "name": "xyz789",
      "order": Order,
      "orderId": uuid,
      "value": "xyz789",
      "valueReference": "abc123"
    }
  }
}

OrderItem

OrderItem

Description

fetch data from the table: "OrderItem"

Response

Returns [OrderItem!]!

Arguments
Name Description
distinct_on - [OrderItem_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [OrderItem_order_by!] sort the rows by one or more columns
where - OrderItem_bool_exp filter the rows returned

Example

Query
query OrderItem(
  $distinct_on: [OrderItem_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [OrderItem_order_by!],
  $where: OrderItem_bool_exp
) {
  OrderItem(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    id
    identifier {
      id
      name
      orderItem {
        ...OrderItemFragment
      }
      orderItemId
      value
      valueReference
    }
    order {
      billingAddress {
        ...PostalAddressFragment
      }
      billingAddressId
      broker {
        ...OrganizationFragment
      }
      brokerId
      confirmationNumber
      customer {
        ...PersonFragment
      }
      customerId
      discount
      discountCode
      facePrice
      id
      identifier {
        ...OrderIdentifierFragment
      }
      isGift
      orderDate
      orderNumber
      orderStatus {
        ...OrderStatusFragment
      }
      orderStatusName
      orderedItem {
        ...OrderItemFragment
      }
      partOfInvoice {
        ...InvoiceFragment
      }
      reservation {
        ...ReservationFragment
      }
      seller {
        ...OrganizationFragment
      }
      sellerId
      totalFee
      totalPaymentDue
      totalTax
    }
    orderId
    orderItemStatus {
      description
      name
    }
    orderItemStatusName
    orderQuantity
    product {
      additionalProperty
      color
      depth
      hasMeasurement
      height
      id
      identifier {
        ...ProductIdentifierFragment
      }
      isVariantOf {
        ...ProductGroupFragment
      }
      isVariantOfId
      material
      name
      orderItem {
        ...OrderItemFragment
      }
      productID
      sku
      weight
      width
    }
    productId
    totalPaymentDue
  }
}
Variables
{
  "distinct_on": ["id"],
  "limit": 987,
  "offset": 123,
  "order_by": [OrderItem_order_by],
  "where": OrderItem_bool_exp
}
Response
{
  "data": {
    "OrderItem": [
      {
        "id": uuid,
        "identifier": [OrderItemIdentifier],
        "order": Order,
        "orderId": uuid,
        "orderItemStatus": OrderStatus,
        "orderItemStatusName": "OrderCancelled",
        "orderQuantity": 987,
        "product": Product,
        "productId": uuid,
        "totalPaymentDue": numeric
      }
    ]
  }
}

OrderItem_by_pk

Description

fetch data from the table: "OrderItem" using primary key columns

Response

Returns an OrderItem

Arguments
Name Description
id - uuid!

Example

Query
query OrderItem_by_pk($id: uuid!) {
  OrderItem_by_pk(id: $id) {
    id
    identifier {
      id
      name
      orderItem {
        ...OrderItemFragment
      }
      orderItemId
      value
      valueReference
    }
    order {
      billingAddress {
        ...PostalAddressFragment
      }
      billingAddressId
      broker {
        ...OrganizationFragment
      }
      brokerId
      confirmationNumber
      customer {
        ...PersonFragment
      }
      customerId
      discount
      discountCode
      facePrice
      id
      identifier {
        ...OrderIdentifierFragment
      }
      isGift
      orderDate
      orderNumber
      orderStatus {
        ...OrderStatusFragment
      }
      orderStatusName
      orderedItem {
        ...OrderItemFragment
      }
      partOfInvoice {
        ...InvoiceFragment
      }
      reservation {
        ...ReservationFragment
      }
      seller {
        ...OrganizationFragment
      }
      sellerId
      totalFee
      totalPaymentDue
      totalTax
    }
    orderId
    orderItemStatus {
      description
      name
    }
    orderItemStatusName
    orderQuantity
    product {
      additionalProperty
      color
      depth
      hasMeasurement
      height
      id
      identifier {
        ...ProductIdentifierFragment
      }
      isVariantOf {
        ...ProductGroupFragment
      }
      isVariantOfId
      material
      name
      orderItem {
        ...OrderItemFragment
      }
      productID
      sku
      weight
      width
    }
    productId
    totalPaymentDue
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "OrderItem_by_pk": {
      "id": uuid,
      "identifier": [OrderItemIdentifier],
      "order": Order,
      "orderId": uuid,
      "orderItemStatus": OrderStatus,
      "orderItemStatusName": "OrderCancelled",
      "orderQuantity": 123,
      "product": Product,
      "productId": uuid,
      "totalPaymentDue": numeric
    }
  }
}

OrderItemIdentifier

OrderItemIdentifier

Description

fetch data from the table: "OrderItemIdentifier"

Response

Returns [OrderItemIdentifier!]!

Arguments
Name Description
distinct_on - [OrderItemIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [OrderItemIdentifier_order_by!] sort the rows by one or more columns
where - OrderItemIdentifier_bool_exp filter the rows returned

Example

Query
query OrderItemIdentifier(
  $distinct_on: [OrderItemIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [OrderItemIdentifier_order_by!],
  $where: OrderItemIdentifier_bool_exp
) {
  OrderItemIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    id
    name
    orderItem {
      id
      identifier {
        ...OrderItemIdentifierFragment
      }
      order {
        ...OrderFragment
      }
      orderId
      orderItemStatus {
        ...OrderStatusFragment
      }
      orderItemStatusName
      orderQuantity
      product {
        ...ProductFragment
      }
      productId
      totalPaymentDue
    }
    orderItemId
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["id"],
  "limit": 987,
  "offset": 987,
  "order_by": [OrderItemIdentifier_order_by],
  "where": OrderItemIdentifier_bool_exp
}
Response
{
  "data": {
    "OrderItemIdentifier": [
      {
        "id": uuid,
        "name": "abc123",
        "orderItem": OrderItem,
        "orderItemId": uuid,
        "value": "xyz789",
        "valueReference": "abc123"
      }
    ]
  }
}

OrderItemIdentifier_by_pk

Description

fetch data from the table: "OrderItemIdentifier" using primary key columns

Response

Returns an OrderItemIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query OrderItemIdentifier_by_pk($id: uuid!) {
  OrderItemIdentifier_by_pk(id: $id) {
    id
    name
    orderItem {
      id
      identifier {
        ...OrderItemIdentifierFragment
      }
      order {
        ...OrderFragment
      }
      orderId
      orderItemStatus {
        ...OrderStatusFragment
      }
      orderItemStatusName
      orderQuantity
      product {
        ...ProductFragment
      }
      productId
      totalPaymentDue
    }
    orderItemId
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "OrderItemIdentifier_by_pk": {
      "id": uuid,
      "name": "abc123",
      "orderItem": OrderItem,
      "orderItemId": uuid,
      "value": "abc123",
      "valueReference": "xyz789"
    }
  }
}

OrderStatus

OrderStatus

Description

fetch data from the table: "OrderStatus"

Response

Returns [OrderStatus!]!

Arguments
Name Description
distinct_on - [OrderStatus_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [OrderStatus_order_by!] sort the rows by one or more columns
where - OrderStatus_bool_exp filter the rows returned

Example

Query
query OrderStatus(
  $distinct_on: [OrderStatus_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [OrderStatus_order_by!],
  $where: OrderStatus_bool_exp
) {
  OrderStatus(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    description
    name
  }
}
Variables
{
  "distinct_on": ["description"],
  "limit": 123,
  "offset": 123,
  "order_by": [OrderStatus_order_by],
  "where": OrderStatus_bool_exp
}
Response
{
  "data": {
    "OrderStatus": [
      {
        "description": "xyz789",
        "name": "abc123"
      }
    ]
  }
}

OrderStatus_by_pk

Description

fetch data from the table: "OrderStatus" using primary key columns

Response

Returns an OrderStatus

Arguments
Name Description
name - String!

Example

Query
query OrderStatus_by_pk($name: String!) {
  OrderStatus_by_pk(name: $name) {
    description
    name
  }
}
Variables
{"name": "abc123"}
Response
{
  "data": {
    "OrderStatus_by_pk": {
      "description": "xyz789",
      "name": "abc123"
    }
  }
}

Organization

Organization

Description

fetch data from the table: "Organization"

Response

Returns [Organization!]!

Arguments
Name Description
distinct_on - [Organization_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [Organization_order_by!] sort the rows by one or more columns
where - Organization_bool_exp filter the rows returned

Example

Query
query Organization(
  $distinct_on: [Organization_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [Organization_order_by!],
  $where: Organization_bool_exp
) {
  Organization(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    address {
      addressCountry {
        ...CountryFragment
      }
      addressCountryId
      addressLocality
      addressRegion
      id
      identifier {
        ...PostalAddressIdentifierFragment
      }
      name
      order {
        ...OrderFragment
      }
      organization {
        ...OrganizationFragment
      }
      organizationId
      person {
        ...PersonFragment
      }
      place {
        ...PlaceFragment
      }
      placeId
      postOfficeBoxNumber
      postalCode
      streetAddress
      telephone
    }
    affiliated {
      address {
        ...PostalAddressFragment
      }
      affiliation {
        ...OrganizationFragment
      }
      affiliationId
      birthDate
      dateCreated
      dateModified
      email
      familyName
      givenName
      homeLocation {
        ...PostalAddressFragment
      }
      homeLocationId
      honorificPrefix
      honorificSuffix
      id
      identifier {
        ...PersonIdentifierFragment
      }
      invoice {
        ...InvoiceFragment
      }
      nationality {
        ...CountryFragment
      }
      nationalityId
      order {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation {
        ...ReservationFragment
      }
      reservedTicket {
        ...TicketFragment
      }
      telephone
    }
    alternateName
    id
    identifier {
      id
      name
      organization {
        ...OrganizationFragment
      }
      organizationId
      value
      valueReference
    }
    invoice_broker {
      accountId
      billingPeriod
      broker {
        ...OrganizationFragment
      }
      brokerId
      confirmationNumber
      customer {
        ...PersonFragment
      }
      customerId
      id
      identifier {
        ...InvoiceIdentifierFragment
      }
      minimumPaymentDue
      orderId
      paymentDueDate
      paymentMethod {
        ...PaymentMethodFragment
      }
      paymentMethodName
      paymentStatus {
        ...PaymentStatusTypeFragment
      }
      paymentStatusTypeName
      provider {
        ...OrganizationFragment
      }
      providerId
      referencesOrder {
        ...OrderFragment
      }
      scheduledPaymentDate
      totalPaymentDue
    }
    invoice_provider {
      accountId
      billingPeriod
      broker {
        ...OrganizationFragment
      }
      brokerId
      confirmationNumber
      customer {
        ...PersonFragment
      }
      customerId
      id
      identifier {
        ...InvoiceIdentifierFragment
      }
      minimumPaymentDue
      orderId
      paymentDueDate
      paymentMethod {
        ...PaymentMethodFragment
      }
      paymentMethodName
      paymentStatus {
        ...PaymentStatusTypeFragment
      }
      paymentStatusTypeName
      provider {
        ...OrganizationFragment
      }
      providerId
      referencesOrder {
        ...OrderFragment
      }
      scheduledPaymentDate
      totalPaymentDue
    }
    location {
      additionalProperty
      address {
        ...PostalAddressFragment
      }
      currenciesAccepted
      description
      event {
        ...EventFragment
      }
      hasMap
      id
      identifier {
        ...PlaceIdentifierFragment
      }
      isAccessibleForFree
      latitude
      longitude
      maximumAttendeeCapacity
      name
      organization {
        ...OrganizationFragment
      }
      priceRange
      publicAccess
      slogan
      smokingAllowed
      telephone
      tourBookingPage
      url
    }
    locationId
    name
    order_broker {
      billingAddress {
        ...PostalAddressFragment
      }
      billingAddressId
      broker {
        ...OrganizationFragment
      }
      brokerId
      confirmationNumber
      customer {
        ...PersonFragment
      }
      customerId
      discount
      discountCode
      facePrice
      id
      identifier {
        ...OrderIdentifierFragment
      }
      isGift
      orderDate
      orderNumber
      orderStatus {
        ...OrderStatusFragment
      }
      orderStatusName
      orderedItem {
        ...OrderItemFragment
      }
      partOfInvoice {
        ...InvoiceFragment
      }
      reservation {
        ...ReservationFragment
      }
      seller {
        ...OrganizationFragment
      }
      sellerId
      totalFee
      totalPaymentDue
      totalTax
    }
    programMembership {
      hostingOrganization {
        ...OrganizationFragment
      }
      hostingOrganizationId
      id
      identifier {
        ...ProgramMembershipIdentifierFragment
      }
      member {
        ...PersonFragment
      }
      memberId
      membershipNumber
      membershipPointsEarned
      programId
      reservation {
        ...ReservationFragment
      }
      validFrom
      validThrough
    }
    reservation_broker {
      bookingTime
      broker {
        ...OrganizationFragment
      }
      brokerId
      id
      identifier {
        ...ReservationIdentifierFragment
      }
      modifiedTime
      orderId
      partOfOrder {
        ...OrderFragment
      }
      priceCurrency
      programMembershipUsed {
        ...ProgramMembershipFragment
      }
      programMembershipUsedId
      provider {
        ...OrganizationFragment
      }
      providerId
      reservationFor {
        ...EntryFragment
      }
      reservationForId
      reservationId
      reservationStatus {
        ...ReservationStatusTypeFragment
      }
      reservationStatusTypeName
      reservedTicket {
        ...TicketFragment
      }
      totalPrice
      underName {
        ...PersonFragment
      }
      underNameId
    }
    reservation_proivider {
      bookingTime
      broker {
        ...OrganizationFragment
      }
      brokerId
      id
      identifier {
        ...ReservationIdentifierFragment
      }
      modifiedTime
      orderId
      partOfOrder {
        ...OrderFragment
      }
      priceCurrency
      programMembershipUsed {
        ...ProgramMembershipFragment
      }
      programMembershipUsedId
      provider {
        ...OrganizationFragment
      }
      providerId
      reservationFor {
        ...EntryFragment
      }
      reservationForId
      reservationId
      reservationStatus {
        ...ReservationStatusTypeFragment
      }
      reservationStatusTypeName
      reservedTicket {
        ...TicketFragment
      }
      totalPrice
      underName {
        ...PersonFragment
      }
      underNameId
    }
    seller {
      billingAddress {
        ...PostalAddressFragment
      }
      billingAddressId
      broker {
        ...OrganizationFragment
      }
      brokerId
      confirmationNumber
      customer {
        ...PersonFragment
      }
      customerId
      discount
      discountCode
      facePrice
      id
      identifier {
        ...OrderIdentifierFragment
      }
      isGift
      orderDate
      orderNumber
      orderStatus {
        ...OrderStatusFragment
      }
      orderStatusName
      orderedItem {
        ...OrderItemFragment
      }
      partOfInvoice {
        ...InvoiceFragment
      }
      reservation {
        ...ReservationFragment
      }
      seller {
        ...OrganizationFragment
      }
      sellerId
      totalFee
      totalPaymentDue
      totalTax
    }
    ticket {
      dateIssued
      id
      identifier {
        ...TicketIdentifierFragment
      }
      isPartOfReservation {
        ...ReservationFragment
      }
      isPartOfReservationId
      issuedBy {
        ...OrganizationFragment
      }
      issuedById
      priceCurrency
      ticketNumber
      ticketToken
      totalPrice
      underName {
        ...PersonFragment
      }
      underNameId
    }
    url
  }
}
Variables
{
  "distinct_on": ["alternateName"],
  "limit": 123,
  "offset": 123,
  "order_by": [Organization_order_by],
  "where": Organization_bool_exp
}
Response
{
  "data": {
    "Organization": [
      {
        "address": [PostalAddress],
        "affiliated": [Person],
        "alternateName": "abc123",
        "id": uuid,
        "identifier": [OrganizationIdentifier],
        "invoice_broker": [Invoice],
        "invoice_provider": [Invoice],
        "location": Place,
        "locationId": uuid,
        "name": "xyz789",
        "order_broker": [Order],
        "programMembership": [ProgramMembership],
        "reservation_broker": [Reservation],
        "reservation_proivider": [Reservation],
        "seller": [Order],
        "ticket": [Ticket],
        "url": "abc123"
      }
    ]
  }
}

Organization_by_pk

Description

fetch data from the table: "Organization" using primary key columns

Response

Returns an Organization

Arguments
Name Description
id - uuid!

Example

Query
query Organization_by_pk($id: uuid!) {
  Organization_by_pk(id: $id) {
    address {
      addressCountry {
        ...CountryFragment
      }
      addressCountryId
      addressLocality
      addressRegion
      id
      identifier {
        ...PostalAddressIdentifierFragment
      }
      name
      order {
        ...OrderFragment
      }
      organization {
        ...OrganizationFragment
      }
      organizationId
      person {
        ...PersonFragment
      }
      place {
        ...PlaceFragment
      }
      placeId
      postOfficeBoxNumber
      postalCode
      streetAddress
      telephone
    }
    affiliated {
      address {
        ...PostalAddressFragment
      }
      affiliation {
        ...OrganizationFragment
      }
      affiliationId
      birthDate
      dateCreated
      dateModified
      email
      familyName
      givenName
      homeLocation {
        ...PostalAddressFragment
      }
      homeLocationId
      honorificPrefix
      honorificSuffix
      id
      identifier {
        ...PersonIdentifierFragment
      }
      invoice {
        ...InvoiceFragment
      }
      nationality {
        ...CountryFragment
      }
      nationalityId
      order {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation {
        ...ReservationFragment
      }
      reservedTicket {
        ...TicketFragment
      }
      telephone
    }
    alternateName
    id
    identifier {
      id
      name
      organization {
        ...OrganizationFragment
      }
      organizationId
      value
      valueReference
    }
    invoice_broker {
      accountId
      billingPeriod
      broker {
        ...OrganizationFragment
      }
      brokerId
      confirmationNumber
      customer {
        ...PersonFragment
      }
      customerId
      id
      identifier {
        ...InvoiceIdentifierFragment
      }
      minimumPaymentDue
      orderId
      paymentDueDate
      paymentMethod {
        ...PaymentMethodFragment
      }
      paymentMethodName
      paymentStatus {
        ...PaymentStatusTypeFragment
      }
      paymentStatusTypeName
      provider {
        ...OrganizationFragment
      }
      providerId
      referencesOrder {
        ...OrderFragment
      }
      scheduledPaymentDate
      totalPaymentDue
    }
    invoice_provider {
      accountId
      billingPeriod
      broker {
        ...OrganizationFragment
      }
      brokerId
      confirmationNumber
      customer {
        ...PersonFragment
      }
      customerId
      id
      identifier {
        ...InvoiceIdentifierFragment
      }
      minimumPaymentDue
      orderId
      paymentDueDate
      paymentMethod {
        ...PaymentMethodFragment
      }
      paymentMethodName
      paymentStatus {
        ...PaymentStatusTypeFragment
      }
      paymentStatusTypeName
      provider {
        ...OrganizationFragment
      }
      providerId
      referencesOrder {
        ...OrderFragment
      }
      scheduledPaymentDate
      totalPaymentDue
    }
    location {
      additionalProperty
      address {
        ...PostalAddressFragment
      }
      currenciesAccepted
      description
      event {
        ...EventFragment
      }
      hasMap
      id
      identifier {
        ...PlaceIdentifierFragment
      }
      isAccessibleForFree
      latitude
      longitude
      maximumAttendeeCapacity
      name
      organization {
        ...OrganizationFragment
      }
      priceRange
      publicAccess
      slogan
      smokingAllowed
      telephone
      tourBookingPage
      url
    }
    locationId
    name
    order_broker {
      billingAddress {
        ...PostalAddressFragment
      }
      billingAddressId
      broker {
        ...OrganizationFragment
      }
      brokerId
      confirmationNumber
      customer {
        ...PersonFragment
      }
      customerId
      discount
      discountCode
      facePrice
      id
      identifier {
        ...OrderIdentifierFragment
      }
      isGift
      orderDate
      orderNumber
      orderStatus {
        ...OrderStatusFragment
      }
      orderStatusName
      orderedItem {
        ...OrderItemFragment
      }
      partOfInvoice {
        ...InvoiceFragment
      }
      reservation {
        ...ReservationFragment
      }
      seller {
        ...OrganizationFragment
      }
      sellerId
      totalFee
      totalPaymentDue
      totalTax
    }
    programMembership {
      hostingOrganization {
        ...OrganizationFragment
      }
      hostingOrganizationId
      id
      identifier {
        ...ProgramMembershipIdentifierFragment
      }
      member {
        ...PersonFragment
      }
      memberId
      membershipNumber
      membershipPointsEarned
      programId
      reservation {
        ...ReservationFragment
      }
      validFrom
      validThrough
    }
    reservation_broker {
      bookingTime
      broker {
        ...OrganizationFragment
      }
      brokerId
      id
      identifier {
        ...ReservationIdentifierFragment
      }
      modifiedTime
      orderId
      partOfOrder {
        ...OrderFragment
      }
      priceCurrency
      programMembershipUsed {
        ...ProgramMembershipFragment
      }
      programMembershipUsedId
      provider {
        ...OrganizationFragment
      }
      providerId
      reservationFor {
        ...EntryFragment
      }
      reservationForId
      reservationId
      reservationStatus {
        ...ReservationStatusTypeFragment
      }
      reservationStatusTypeName
      reservedTicket {
        ...TicketFragment
      }
      totalPrice
      underName {
        ...PersonFragment
      }
      underNameId
    }
    reservation_proivider {
      bookingTime
      broker {
        ...OrganizationFragment
      }
      brokerId
      id
      identifier {
        ...ReservationIdentifierFragment
      }
      modifiedTime
      orderId
      partOfOrder {
        ...OrderFragment
      }
      priceCurrency
      programMembershipUsed {
        ...ProgramMembershipFragment
      }
      programMembershipUsedId
      provider {
        ...OrganizationFragment
      }
      providerId
      reservationFor {
        ...EntryFragment
      }
      reservationForId
      reservationId
      reservationStatus {
        ...ReservationStatusTypeFragment
      }
      reservationStatusTypeName
      reservedTicket {
        ...TicketFragment
      }
      totalPrice
      underName {
        ...PersonFragment
      }
      underNameId
    }
    seller {
      billingAddress {
        ...PostalAddressFragment
      }
      billingAddressId
      broker {
        ...OrganizationFragment
      }
      brokerId
      confirmationNumber
      customer {
        ...PersonFragment
      }
      customerId
      discount
      discountCode
      facePrice
      id
      identifier {
        ...OrderIdentifierFragment
      }
      isGift
      orderDate
      orderNumber
      orderStatus {
        ...OrderStatusFragment
      }
      orderStatusName
      orderedItem {
        ...OrderItemFragment
      }
      partOfInvoice {
        ...InvoiceFragment
      }
      reservation {
        ...ReservationFragment
      }
      seller {
        ...OrganizationFragment
      }
      sellerId
      totalFee
      totalPaymentDue
      totalTax
    }
    ticket {
      dateIssued
      id
      identifier {
        ...TicketIdentifierFragment
      }
      isPartOfReservation {
        ...ReservationFragment
      }
      isPartOfReservationId
      issuedBy {
        ...OrganizationFragment
      }
      issuedById
      priceCurrency
      ticketNumber
      ticketToken
      totalPrice
      underName {
        ...PersonFragment
      }
      underNameId
    }
    url
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "Organization_by_pk": {
      "address": [PostalAddress],
      "affiliated": [Person],
      "alternateName": "abc123",
      "id": uuid,
      "identifier": [OrganizationIdentifier],
      "invoice_broker": [Invoice],
      "invoice_provider": [Invoice],
      "location": Place,
      "locationId": uuid,
      "name": "xyz789",
      "order_broker": [Order],
      "programMembership": [ProgramMembership],
      "reservation_broker": [Reservation],
      "reservation_proivider": [Reservation],
      "seller": [Order],
      "ticket": [Ticket],
      "url": "abc123"
    }
  }
}

OrganizationIdentifier

OrganizationIdentifier

Description

fetch data from the table: "OrganizationIdentifier"

Response

Returns [OrganizationIdentifier!]!

Arguments
Name Description
distinct_on - [OrganizationIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [OrganizationIdentifier_order_by!] sort the rows by one or more columns
where - OrganizationIdentifier_bool_exp filter the rows returned

Example

Query
query OrganizationIdentifier(
  $distinct_on: [OrganizationIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [OrganizationIdentifier_order_by!],
  $where: OrganizationIdentifier_bool_exp
) {
  OrganizationIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    id
    name
    organization {
      address {
        ...PostalAddressFragment
      }
      affiliated {
        ...PersonFragment
      }
      alternateName
      id
      identifier {
        ...OrganizationIdentifierFragment
      }
      invoice_broker {
        ...InvoiceFragment
      }
      invoice_provider {
        ...InvoiceFragment
      }
      location {
        ...PlaceFragment
      }
      locationId
      name
      order_broker {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation_broker {
        ...ReservationFragment
      }
      reservation_proivider {
        ...ReservationFragment
      }
      seller {
        ...OrderFragment
      }
      ticket {
        ...TicketFragment
      }
      url
    }
    organizationId
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["id"],
  "limit": 987,
  "offset": 123,
  "order_by": [OrganizationIdentifier_order_by],
  "where": OrganizationIdentifier_bool_exp
}
Response
{
  "data": {
    "OrganizationIdentifier": [
      {
        "id": uuid,
        "name": "abc123",
        "organization": Organization,
        "organizationId": uuid,
        "value": "abc123",
        "valueReference": "abc123"
      }
    ]
  }
}

OrganizationIdentifier_by_pk

Description

fetch data from the table: "OrganizationIdentifier" using primary key columns

Response

Returns an OrganizationIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query OrganizationIdentifier_by_pk($id: uuid!) {
  OrganizationIdentifier_by_pk(id: $id) {
    id
    name
    organization {
      address {
        ...PostalAddressFragment
      }
      affiliated {
        ...PersonFragment
      }
      alternateName
      id
      identifier {
        ...OrganizationIdentifierFragment
      }
      invoice_broker {
        ...InvoiceFragment
      }
      invoice_provider {
        ...InvoiceFragment
      }
      location {
        ...PlaceFragment
      }
      locationId
      name
      order_broker {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation_broker {
        ...ReservationFragment
      }
      reservation_proivider {
        ...ReservationFragment
      }
      seller {
        ...OrderFragment
      }
      ticket {
        ...TicketFragment
      }
      url
    }
    organizationId
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "OrganizationIdentifier_by_pk": {
      "id": uuid,
      "name": "abc123",
      "organization": Organization,
      "organizationId": uuid,
      "value": "xyz789",
      "valueReference": "abc123"
    }
  }
}

ParcelDeliveryIdentifier

ParcelDeliveryIdentifier

Description

fetch data from the table: "ParcelDeliveryIdentifier"

Response

Returns [ParcelDeliveryIdentifier!]!

Arguments
Name Description
distinct_on - [ParcelDeliveryIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [ParcelDeliveryIdentifier_order_by!] sort the rows by one or more columns
where - ParcelDeliveryIdentifier_bool_exp filter the rows returned

Example

Query
query ParcelDeliveryIdentifier(
  $distinct_on: [ParcelDeliveryIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [ParcelDeliveryIdentifier_order_by!],
  $where: ParcelDeliveryIdentifier_bool_exp
) {
  ParcelDeliveryIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    id
    name
    parcelDeliveryId
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["id"],
  "limit": 123,
  "offset": 123,
  "order_by": [ParcelDeliveryIdentifier_order_by],
  "where": ParcelDeliveryIdentifier_bool_exp
}
Response
{
  "data": {
    "ParcelDeliveryIdentifier": [
      {
        "id": uuid,
        "name": "abc123",
        "parcelDeliveryId": uuid,
        "value": "abc123",
        "valueReference": "xyz789"
      }
    ]
  }
}

ParcelDeliveryIdentifier_by_pk

Description

fetch data from the table: "ParcelDeliveryIdentifier" using primary key columns

Response

Returns a ParcelDeliveryIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query ParcelDeliveryIdentifier_by_pk($id: uuid!) {
  ParcelDeliveryIdentifier_by_pk(id: $id) {
    id
    name
    parcelDeliveryId
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "ParcelDeliveryIdentifier_by_pk": {
      "id": uuid,
      "name": "xyz789",
      "parcelDeliveryId": uuid,
      "value": "abc123",
      "valueReference": "xyz789"
    }
  }
}

PaymentMethod

PaymentMethod

Description

fetch data from the table: "PaymentMethod"

Response

Returns [PaymentMethod!]!

Arguments
Name Description
distinct_on - [PaymentMethod_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [PaymentMethod_order_by!] sort the rows by one or more columns
where - PaymentMethod_bool_exp filter the rows returned

Example

Query
query PaymentMethod(
  $distinct_on: [PaymentMethod_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [PaymentMethod_order_by!],
  $where: PaymentMethod_bool_exp
) {
  PaymentMethod(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    description
    name
  }
}
Variables
{
  "distinct_on": ["description"],
  "limit": 987,
  "offset": 123,
  "order_by": [PaymentMethod_order_by],
  "where": PaymentMethod_bool_exp
}
Response
{
  "data": {
    "PaymentMethod": [
      {
        "description": "abc123",
        "name": "xyz789"
      }
    ]
  }
}

PaymentMethod_by_pk

Description

fetch data from the table: "PaymentMethod" using primary key columns

Response

Returns a PaymentMethod

Arguments
Name Description
name - String!

Example

Query
query PaymentMethod_by_pk($name: String!) {
  PaymentMethod_by_pk(name: $name) {
    description
    name
  }
}
Variables
{"name": "abc123"}
Response
{
  "data": {
    "PaymentMethod_by_pk": {
      "description": "abc123",
      "name": "abc123"
    }
  }
}

PaymentStatusType

PaymentStatusType

Description

fetch data from the table: "PaymentStatusType"

Response

Returns [PaymentStatusType!]!

Arguments
Name Description
distinct_on - [PaymentStatusType_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [PaymentStatusType_order_by!] sort the rows by one or more columns
where - PaymentStatusType_bool_exp filter the rows returned

Example

Query
query PaymentStatusType(
  $distinct_on: [PaymentStatusType_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [PaymentStatusType_order_by!],
  $where: PaymentStatusType_bool_exp
) {
  PaymentStatusType(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    description
    name
  }
}
Variables
{
  "distinct_on": ["description"],
  "limit": 987,
  "offset": 123,
  "order_by": [PaymentStatusType_order_by],
  "where": PaymentStatusType_bool_exp
}
Response
{
  "data": {
    "PaymentStatusType": [
      {
        "description": "xyz789",
        "name": "abc123"
      }
    ]
  }
}

PaymentStatusType_by_pk

Description

fetch data from the table: "PaymentStatusType" using primary key columns

Response

Returns a PaymentStatusType

Arguments
Name Description
name - String!

Example

Query
query PaymentStatusType_by_pk($name: String!) {
  PaymentStatusType_by_pk(name: $name) {
    description
    name
  }
}
Variables
{"name": "abc123"}
Response
{
  "data": {
    "PaymentStatusType_by_pk": {
      "description": "xyz789",
      "name": "xyz789"
    }
  }
}

Person

Person

Description

fetch data from the table: "Person"

Response

Returns [Person!]!

Arguments
Name Description
distinct_on - [Person_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [Person_order_by!] sort the rows by one or more columns
where - Person_bool_exp filter the rows returned

Example

Query
query Person(
  $distinct_on: [Person_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [Person_order_by!],
  $where: Person_bool_exp
) {
  Person(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    address {
      addressCountry {
        ...CountryFragment
      }
      addressCountryId
      addressLocality
      addressRegion
      id
      identifier {
        ...PostalAddressIdentifierFragment
      }
      name
      order {
        ...OrderFragment
      }
      organization {
        ...OrganizationFragment
      }
      organizationId
      person {
        ...PersonFragment
      }
      place {
        ...PlaceFragment
      }
      placeId
      postOfficeBoxNumber
      postalCode
      streetAddress
      telephone
    }
    affiliation {
      address {
        ...PostalAddressFragment
      }
      affiliated {
        ...PersonFragment
      }
      alternateName
      id
      identifier {
        ...OrganizationIdentifierFragment
      }
      invoice_broker {
        ...InvoiceFragment
      }
      invoice_provider {
        ...InvoiceFragment
      }
      location {
        ...PlaceFragment
      }
      locationId
      name
      order_broker {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation_broker {
        ...ReservationFragment
      }
      reservation_proivider {
        ...ReservationFragment
      }
      seller {
        ...OrderFragment
      }
      ticket {
        ...TicketFragment
      }
      url
    }
    affiliationId
    birthDate
    dateCreated
    dateModified
    email
    familyName
    givenName
    homeLocation {
      addressCountry {
        ...CountryFragment
      }
      addressCountryId
      addressLocality
      addressRegion
      id
      identifier {
        ...PostalAddressIdentifierFragment
      }
      name
      order {
        ...OrderFragment
      }
      organization {
        ...OrganizationFragment
      }
      organizationId
      person {
        ...PersonFragment
      }
      place {
        ...PlaceFragment
      }
      placeId
      postOfficeBoxNumber
      postalCode
      streetAddress
      telephone
    }
    homeLocationId
    honorificPrefix
    honorificSuffix
    id
    identifier {
      id
      name
      person {
        ...PersonFragment
      }
      personId
      value
      valueReference
    }
    invoice {
      accountId
      billingPeriod
      broker {
        ...OrganizationFragment
      }
      brokerId
      confirmationNumber
      customer {
        ...PersonFragment
      }
      customerId
      id
      identifier {
        ...InvoiceIdentifierFragment
      }
      minimumPaymentDue
      orderId
      paymentDueDate
      paymentMethod {
        ...PaymentMethodFragment
      }
      paymentMethodName
      paymentStatus {
        ...PaymentStatusTypeFragment
      }
      paymentStatusTypeName
      provider {
        ...OrganizationFragment
      }
      providerId
      referencesOrder {
        ...OrderFragment
      }
      scheduledPaymentDate
      totalPaymentDue
    }
    nationality {
      alternateName
      id
      identifier {
        ...CountryIdentifierFragment
      }
      name
      person {
        ...PersonFragment
      }
      postalAddresses {
        ...PostalAddressFragment
      }
    }
    nationalityId
    order {
      billingAddress {
        ...PostalAddressFragment
      }
      billingAddressId
      broker {
        ...OrganizationFragment
      }
      brokerId
      confirmationNumber
      customer {
        ...PersonFragment
      }
      customerId
      discount
      discountCode
      facePrice
      id
      identifier {
        ...OrderIdentifierFragment
      }
      isGift
      orderDate
      orderNumber
      orderStatus {
        ...OrderStatusFragment
      }
      orderStatusName
      orderedItem {
        ...OrderItemFragment
      }
      partOfInvoice {
        ...InvoiceFragment
      }
      reservation {
        ...ReservationFragment
      }
      seller {
        ...OrganizationFragment
      }
      sellerId
      totalFee
      totalPaymentDue
      totalTax
    }
    programMembership {
      hostingOrganization {
        ...OrganizationFragment
      }
      hostingOrganizationId
      id
      identifier {
        ...ProgramMembershipIdentifierFragment
      }
      member {
        ...PersonFragment
      }
      memberId
      membershipNumber
      membershipPointsEarned
      programId
      reservation {
        ...ReservationFragment
      }
      validFrom
      validThrough
    }
    reservation {
      bookingTime
      broker {
        ...OrganizationFragment
      }
      brokerId
      id
      identifier {
        ...ReservationIdentifierFragment
      }
      modifiedTime
      orderId
      partOfOrder {
        ...OrderFragment
      }
      priceCurrency
      programMembershipUsed {
        ...ProgramMembershipFragment
      }
      programMembershipUsedId
      provider {
        ...OrganizationFragment
      }
      providerId
      reservationFor {
        ...EntryFragment
      }
      reservationForId
      reservationId
      reservationStatus {
        ...ReservationStatusTypeFragment
      }
      reservationStatusTypeName
      reservedTicket {
        ...TicketFragment
      }
      totalPrice
      underName {
        ...PersonFragment
      }
      underNameId
    }
    reservedTicket {
      dateIssued
      id
      identifier {
        ...TicketIdentifierFragment
      }
      isPartOfReservation {
        ...ReservationFragment
      }
      isPartOfReservationId
      issuedBy {
        ...OrganizationFragment
      }
      issuedById
      priceCurrency
      ticketNumber
      ticketToken
      totalPrice
      underName {
        ...PersonFragment
      }
      underNameId
    }
    telephone
  }
}
Variables
{
  "distinct_on": ["affiliationId"],
  "limit": 987,
  "offset": 123,
  "order_by": [Person_order_by],
  "where": Person_bool_exp
}
Response
{
  "data": {
    "Person": [
      {
        "address": [PostalAddress],
        "affiliation": Organization,
        "affiliationId": uuid,
        "birthDate": date,
        "dateCreated": timestamp,
        "dateModified": timestamp,
        "email": "xyz789",
        "familyName": "xyz789",
        "givenName": "abc123",
        "homeLocation": PostalAddress,
        "homeLocationId": uuid,
        "honorificPrefix": "abc123",
        "honorificSuffix": "abc123",
        "id": uuid,
        "identifier": [PersonIdentifier],
        "invoice": [Invoice],
        "nationality": Country,
        "nationalityId": uuid,
        "order": [Order],
        "programMembership": [ProgramMembership],
        "reservation": [Reservation],
        "reservedTicket": [Ticket],
        "telephone": "abc123"
      }
    ]
  }
}

Person_by_pk

Description

fetch data from the table: "Person" using primary key columns

Response

Returns a Person

Arguments
Name Description
id - uuid!

Example

Query
query Person_by_pk($id: uuid!) {
  Person_by_pk(id: $id) {
    address {
      addressCountry {
        ...CountryFragment
      }
      addressCountryId
      addressLocality
      addressRegion
      id
      identifier {
        ...PostalAddressIdentifierFragment
      }
      name
      order {
        ...OrderFragment
      }
      organization {
        ...OrganizationFragment
      }
      organizationId
      person {
        ...PersonFragment
      }
      place {
        ...PlaceFragment
      }
      placeId
      postOfficeBoxNumber
      postalCode
      streetAddress
      telephone
    }
    affiliation {
      address {
        ...PostalAddressFragment
      }
      affiliated {
        ...PersonFragment
      }
      alternateName
      id
      identifier {
        ...OrganizationIdentifierFragment
      }
      invoice_broker {
        ...InvoiceFragment
      }
      invoice_provider {
        ...InvoiceFragment
      }
      location {
        ...PlaceFragment
      }
      locationId
      name
      order_broker {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation_broker {
        ...ReservationFragment
      }
      reservation_proivider {
        ...ReservationFragment
      }
      seller {
        ...OrderFragment
      }
      ticket {
        ...TicketFragment
      }
      url
    }
    affiliationId
    birthDate
    dateCreated
    dateModified
    email
    familyName
    givenName
    homeLocation {
      addressCountry {
        ...CountryFragment
      }
      addressCountryId
      addressLocality
      addressRegion
      id
      identifier {
        ...PostalAddressIdentifierFragment
      }
      name
      order {
        ...OrderFragment
      }
      organization {
        ...OrganizationFragment
      }
      organizationId
      person {
        ...PersonFragment
      }
      place {
        ...PlaceFragment
      }
      placeId
      postOfficeBoxNumber
      postalCode
      streetAddress
      telephone
    }
    homeLocationId
    honorificPrefix
    honorificSuffix
    id
    identifier {
      id
      name
      person {
        ...PersonFragment
      }
      personId
      value
      valueReference
    }
    invoice {
      accountId
      billingPeriod
      broker {
        ...OrganizationFragment
      }
      brokerId
      confirmationNumber
      customer {
        ...PersonFragment
      }
      customerId
      id
      identifier {
        ...InvoiceIdentifierFragment
      }
      minimumPaymentDue
      orderId
      paymentDueDate
      paymentMethod {
        ...PaymentMethodFragment
      }
      paymentMethodName
      paymentStatus {
        ...PaymentStatusTypeFragment
      }
      paymentStatusTypeName
      provider {
        ...OrganizationFragment
      }
      providerId
      referencesOrder {
        ...OrderFragment
      }
      scheduledPaymentDate
      totalPaymentDue
    }
    nationality {
      alternateName
      id
      identifier {
        ...CountryIdentifierFragment
      }
      name
      person {
        ...PersonFragment
      }
      postalAddresses {
        ...PostalAddressFragment
      }
    }
    nationalityId
    order {
      billingAddress {
        ...PostalAddressFragment
      }
      billingAddressId
      broker {
        ...OrganizationFragment
      }
      brokerId
      confirmationNumber
      customer {
        ...PersonFragment
      }
      customerId
      discount
      discountCode
      facePrice
      id
      identifier {
        ...OrderIdentifierFragment
      }
      isGift
      orderDate
      orderNumber
      orderStatus {
        ...OrderStatusFragment
      }
      orderStatusName
      orderedItem {
        ...OrderItemFragment
      }
      partOfInvoice {
        ...InvoiceFragment
      }
      reservation {
        ...ReservationFragment
      }
      seller {
        ...OrganizationFragment
      }
      sellerId
      totalFee
      totalPaymentDue
      totalTax
    }
    programMembership {
      hostingOrganization {
        ...OrganizationFragment
      }
      hostingOrganizationId
      id
      identifier {
        ...ProgramMembershipIdentifierFragment
      }
      member {
        ...PersonFragment
      }
      memberId
      membershipNumber
      membershipPointsEarned
      programId
      reservation {
        ...ReservationFragment
      }
      validFrom
      validThrough
    }
    reservation {
      bookingTime
      broker {
        ...OrganizationFragment
      }
      brokerId
      id
      identifier {
        ...ReservationIdentifierFragment
      }
      modifiedTime
      orderId
      partOfOrder {
        ...OrderFragment
      }
      priceCurrency
      programMembershipUsed {
        ...ProgramMembershipFragment
      }
      programMembershipUsedId
      provider {
        ...OrganizationFragment
      }
      providerId
      reservationFor {
        ...EntryFragment
      }
      reservationForId
      reservationId
      reservationStatus {
        ...ReservationStatusTypeFragment
      }
      reservationStatusTypeName
      reservedTicket {
        ...TicketFragment
      }
      totalPrice
      underName {
        ...PersonFragment
      }
      underNameId
    }
    reservedTicket {
      dateIssued
      id
      identifier {
        ...TicketIdentifierFragment
      }
      isPartOfReservation {
        ...ReservationFragment
      }
      isPartOfReservationId
      issuedBy {
        ...OrganizationFragment
      }
      issuedById
      priceCurrency
      ticketNumber
      ticketToken
      totalPrice
      underName {
        ...PersonFragment
      }
      underNameId
    }
    telephone
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "Person_by_pk": {
      "address": [PostalAddress],
      "affiliation": Organization,
      "affiliationId": uuid,
      "birthDate": date,
      "dateCreated": timestamp,
      "dateModified": timestamp,
      "email": "xyz789",
      "familyName": "abc123",
      "givenName": "xyz789",
      "homeLocation": PostalAddress,
      "homeLocationId": uuid,
      "honorificPrefix": "abc123",
      "honorificSuffix": "xyz789",
      "id": uuid,
      "identifier": [PersonIdentifier],
      "invoice": [Invoice],
      "nationality": Country,
      "nationalityId": uuid,
      "order": [Order],
      "programMembership": [ProgramMembership],
      "reservation": [Reservation],
      "reservedTicket": [Ticket],
      "telephone": "xyz789"
    }
  }
}

PersonIdentifier

PersonIdentifier

Description

fetch data from the table: "PersonIdentifier"

Response

Returns [PersonIdentifier!]!

Arguments
Name Description
distinct_on - [PersonIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [PersonIdentifier_order_by!] sort the rows by one or more columns
where - PersonIdentifier_bool_exp filter the rows returned

Example

Query
query PersonIdentifier(
  $distinct_on: [PersonIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [PersonIdentifier_order_by!],
  $where: PersonIdentifier_bool_exp
) {
  PersonIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    id
    name
    person {
      address {
        ...PostalAddressFragment
      }
      affiliation {
        ...OrganizationFragment
      }
      affiliationId
      birthDate
      dateCreated
      dateModified
      email
      familyName
      givenName
      homeLocation {
        ...PostalAddressFragment
      }
      homeLocationId
      honorificPrefix
      honorificSuffix
      id
      identifier {
        ...PersonIdentifierFragment
      }
      invoice {
        ...InvoiceFragment
      }
      nationality {
        ...CountryFragment
      }
      nationalityId
      order {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation {
        ...ReservationFragment
      }
      reservedTicket {
        ...TicketFragment
      }
      telephone
    }
    personId
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["id"],
  "limit": 123,
  "offset": 123,
  "order_by": [PersonIdentifier_order_by],
  "where": PersonIdentifier_bool_exp
}
Response
{
  "data": {
    "PersonIdentifier": [
      {
        "id": uuid,
        "name": "xyz789",
        "person": Person,
        "personId": uuid,
        "value": "xyz789",
        "valueReference": "xyz789"
      }
    ]
  }
}

PersonIdentifier_by_pk

Description

fetch data from the table: "PersonIdentifier" using primary key columns

Response

Returns a PersonIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query PersonIdentifier_by_pk($id: uuid!) {
  PersonIdentifier_by_pk(id: $id) {
    id
    name
    person {
      address {
        ...PostalAddressFragment
      }
      affiliation {
        ...OrganizationFragment
      }
      affiliationId
      birthDate
      dateCreated
      dateModified
      email
      familyName
      givenName
      homeLocation {
        ...PostalAddressFragment
      }
      homeLocationId
      honorificPrefix
      honorificSuffix
      id
      identifier {
        ...PersonIdentifierFragment
      }
      invoice {
        ...InvoiceFragment
      }
      nationality {
        ...CountryFragment
      }
      nationalityId
      order {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation {
        ...ReservationFragment
      }
      reservedTicket {
        ...TicketFragment
      }
      telephone
    }
    personId
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "PersonIdentifier_by_pk": {
      "id": uuid,
      "name": "xyz789",
      "person": Person,
      "personId": uuid,
      "value": "abc123",
      "valueReference": "abc123"
    }
  }
}

PinnedMediaObject

PinnedMediaObject

Response

Returns [PinnedMediaObject!]!

Arguments
Name Description
filter - PinnedMediaObject_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query PinnedMediaObject(
  $filter: PinnedMediaObject_filter,
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  PinnedMediaObject(
    filter: $filter,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    applet {
      animationType
      appletType
      bottomDock
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      hasMediaObject {
        ...MediaObject_AppletFragment
      }
      hasMediaObject_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      label
      name
      pinnedMediaObject {
        ...PinnedMediaObjectFragment
      }
      pinnedMediaObject_func {
        ...count_functionsFragment
      }
      portraitOrientation
      position
      scrambled
      sort
      status
      url
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userAppletState {
        ...UserAppletStateFragment
      }
      userAppletState_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
      visible
    }
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    endDate
    endDate_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    id
    mediaObject {
      additionalType
      applet {
        ...MediaObject_AppletFragment
      }
      applet_func {
        ...count_functionsFragment
      }
      articleBody
      assetId
      audio {
        ...directus_filesFragment
      }
      contentUrl
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasCharacter {
        ...Character_MediaObjectFragment
      }
      hasCharacter_func {
        ...count_functionsFragment
      }
      hasPin {
        ...PinnedMediaObjectFragment
      }
      hasPin_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      isPartOfCollection {
        ...CollectionFragment
      }
      isPartOfExhibition {
        ...MediaObject_ExhibitionFragment
      }
      isPartOfExhibition_func {
        ...count_functionsFragment
      }
      isPartOfNarrativePlace {
        ...NarrativePlace_MediaObjectFragment
      }
      isPartOfNarrativePlace_func {
        ...count_functionsFragment
      }
      keyword {
        ...Keyword_MediaObjectFragment
      }
      keyword_func {
        ...count_functionsFragment
      }
      mediaRelationship {
        ...MediaRelationshipFragment
      }
      mediaRelationship_func {
        ...count_functionsFragment
      }
      messageBody
      name
      page {
        ...MediaObject_filesFragment
      }
      page_func {
        ...count_functionsFragment
      }
      playerType
      sort
      status
      thumbnail {
        ...directus_filesFragment
      }
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    pinStatus
    sort
    startDate
    startDate_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    status
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{
  "filter": PinnedMediaObject_filter,
  "limit": 987,
  "offset": 987,
  "page": 123,
  "search": "xyz789",
  "sort": ["abc123"]
}
Response
{
  "data": {
    "PinnedMediaObject": [
      {
        "applet": Applet,
        "date_created": "2007-12-03",
        "date_created_func": datetime_functions,
        "date_updated": "2007-12-03",
        "date_updated_func": datetime_functions,
        "endDate": "2007-12-03",
        "endDate_func": datetime_functions,
        "id": 4,
        "mediaObject": MediaObject,
        "pinStatus": true,
        "sort": 987,
        "startDate": "2007-12-03",
        "startDate_func": datetime_functions,
        "status": "xyz789",
        "user_created": directus_users,
        "user_updated": directus_users
      }
    ]
  }
}

PinnedMediaObject_aggregated

Arguments
Name Description
filter - PinnedMediaObject_filter
groupBy - [String]
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query PinnedMediaObject_aggregated(
  $filter: PinnedMediaObject_filter,
  $groupBy: [String],
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  PinnedMediaObject_aggregated(
    filter: $filter,
    groupBy: $groupBy,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    avg {
      sort
    }
    avgDistinct {
      sort
    }
    count {
      applet
      date_created
      date_updated
      endDate
      id
      mediaObject
      pinStatus
      sort
      startDate
      status
      user_created
      user_updated
    }
    countAll
    countDistinct {
      applet
      date_created
      date_updated
      endDate
      id
      mediaObject
      pinStatus
      sort
      startDate
      status
      user_created
      user_updated
    }
    group
    max {
      sort
    }
    min {
      sort
    }
    sum {
      sort
    }
    sumDistinct {
      sort
    }
  }
}
Variables
{
  "filter": PinnedMediaObject_filter,
  "groupBy": ["xyz789"],
  "limit": 987,
  "offset": 123,
  "page": 987,
  "search": "abc123",
  "sort": ["abc123"]
}
Response
{
  "data": {
    "PinnedMediaObject_aggregated": [
      {
        "avg": PinnedMediaObject_aggregated_fields,
        "avgDistinct": PinnedMediaObject_aggregated_fields,
        "count": PinnedMediaObject_aggregated_count,
        "countAll": 987,
        "countDistinct": PinnedMediaObject_aggregated_count,
        "group": {},
        "max": PinnedMediaObject_aggregated_fields,
        "min": PinnedMediaObject_aggregated_fields,
        "sum": PinnedMediaObject_aggregated_fields,
        "sumDistinct": PinnedMediaObject_aggregated_fields
      }
    ]
  }
}

PinnedMediaObject_by_id

Response

Returns a PinnedMediaObject

Arguments
Name Description
id - ID!

Example

Query
query PinnedMediaObject_by_id($id: ID!) {
  PinnedMediaObject_by_id(id: $id) {
    applet {
      animationType
      appletType
      bottomDock
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      hasMediaObject {
        ...MediaObject_AppletFragment
      }
      hasMediaObject_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      label
      name
      pinnedMediaObject {
        ...PinnedMediaObjectFragment
      }
      pinnedMediaObject_func {
        ...count_functionsFragment
      }
      portraitOrientation
      position
      scrambled
      sort
      status
      url
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userAppletState {
        ...UserAppletStateFragment
      }
      userAppletState_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
      visible
    }
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    endDate
    endDate_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    id
    mediaObject {
      additionalType
      applet {
        ...MediaObject_AppletFragment
      }
      applet_func {
        ...count_functionsFragment
      }
      articleBody
      assetId
      audio {
        ...directus_filesFragment
      }
      contentUrl
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasCharacter {
        ...Character_MediaObjectFragment
      }
      hasCharacter_func {
        ...count_functionsFragment
      }
      hasPin {
        ...PinnedMediaObjectFragment
      }
      hasPin_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      isPartOfCollection {
        ...CollectionFragment
      }
      isPartOfExhibition {
        ...MediaObject_ExhibitionFragment
      }
      isPartOfExhibition_func {
        ...count_functionsFragment
      }
      isPartOfNarrativePlace {
        ...NarrativePlace_MediaObjectFragment
      }
      isPartOfNarrativePlace_func {
        ...count_functionsFragment
      }
      keyword {
        ...Keyword_MediaObjectFragment
      }
      keyword_func {
        ...count_functionsFragment
      }
      mediaRelationship {
        ...MediaRelationshipFragment
      }
      mediaRelationship_func {
        ...count_functionsFragment
      }
      messageBody
      name
      page {
        ...MediaObject_filesFragment
      }
      page_func {
        ...count_functionsFragment
      }
      playerType
      sort
      status
      thumbnail {
        ...directus_filesFragment
      }
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    pinStatus
    sort
    startDate
    startDate_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    status
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{"id": 4}
Response
{
  "data": {
    "PinnedMediaObject_by_id": {
      "applet": Applet,
      "date_created": "2007-12-03",
      "date_created_func": datetime_functions,
      "date_updated": "2007-12-03",
      "date_updated_func": datetime_functions,
      "endDate": "2007-12-03",
      "endDate_func": datetime_functions,
      "id": "4",
      "mediaObject": MediaObject,
      "pinStatus": false,
      "sort": 987,
      "startDate": "2007-12-03",
      "startDate_func": datetime_functions,
      "status": "abc123",
      "user_created": directus_users,
      "user_updated": directus_users
    }
  }
}

Place

Place

Description

fetch data from the table: "Place"

Response

Returns [Place!]!

Arguments
Name Description
distinct_on - [Place_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [Place_order_by!] sort the rows by one or more columns
where - Place_bool_exp filter the rows returned

Example

Query
query Place(
  $distinct_on: [Place_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [Place_order_by!],
  $where: Place_bool_exp
) {
  Place(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    additionalProperty
    address {
      addressCountry {
        ...CountryFragment
      }
      addressCountryId
      addressLocality
      addressRegion
      id
      identifier {
        ...PostalAddressIdentifierFragment
      }
      name
      order {
        ...OrderFragment
      }
      organization {
        ...OrganizationFragment
      }
      organizationId
      person {
        ...PersonFragment
      }
      place {
        ...PlaceFragment
      }
      placeId
      postOfficeBoxNumber
      postalCode
      streetAddress
      telephone
    }
    currenciesAccepted
    description
    event {
      duration
      eventStatus {
        ...EventStatusTypeFragment
      }
      eventStatusTypeName
      id
      identifier {
        ...EventIdentifierFragment
      }
      isAccessibleForFree
      location {
        ...PlaceFragment
      }
      locationId
      name
      subEvent {
        ...EntryFragment
      }
      typicalAgeRange
    }
    hasMap
    id
    identifier {
      id
      name
      place {
        ...PlaceFragment
      }
      placeId
      value
      valueReference
    }
    isAccessibleForFree
    latitude
    longitude
    maximumAttendeeCapacity
    name
    organization {
      address {
        ...PostalAddressFragment
      }
      affiliated {
        ...PersonFragment
      }
      alternateName
      id
      identifier {
        ...OrganizationIdentifierFragment
      }
      invoice_broker {
        ...InvoiceFragment
      }
      invoice_provider {
        ...InvoiceFragment
      }
      location {
        ...PlaceFragment
      }
      locationId
      name
      order_broker {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation_broker {
        ...ReservationFragment
      }
      reservation_proivider {
        ...ReservationFragment
      }
      seller {
        ...OrderFragment
      }
      ticket {
        ...TicketFragment
      }
      url
    }
    priceRange
    publicAccess
    slogan
    smokingAllowed
    telephone
    tourBookingPage
    url
  }
}
Variables
{
  "distinct_on": ["additionalProperty"],
  "limit": 123,
  "offset": 123,
  "order_by": [Place_order_by],
  "where": Place_bool_exp
}
Response
{
  "data": {
    "Place": [
      {
        "additionalProperty": jsonb,
        "address": [PostalAddress],
        "currenciesAccepted": "abc123",
        "description": "xyz789",
        "event": [Event],
        "hasMap": "xyz789",
        "id": uuid,
        "identifier": [PlaceIdentifier],
        "isAccessibleForFree": true,
        "latitude": numeric,
        "longitude": numeric,
        "maximumAttendeeCapacity": 123,
        "name": "xyz789",
        "organization": [Organization],
        "priceRange": "abc123",
        "publicAccess": false,
        "slogan": "xyz789",
        "smokingAllowed": true,
        "telephone": "xyz789",
        "tourBookingPage": "xyz789",
        "url": "xyz789"
      }
    ]
  }
}

Place_by_pk

Description

fetch data from the table: "Place" using primary key columns

Response

Returns a Place

Arguments
Name Description
id - uuid!

Example

Query
query Place_by_pk($id: uuid!) {
  Place_by_pk(id: $id) {
    additionalProperty
    address {
      addressCountry {
        ...CountryFragment
      }
      addressCountryId
      addressLocality
      addressRegion
      id
      identifier {
        ...PostalAddressIdentifierFragment
      }
      name
      order {
        ...OrderFragment
      }
      organization {
        ...OrganizationFragment
      }
      organizationId
      person {
        ...PersonFragment
      }
      place {
        ...PlaceFragment
      }
      placeId
      postOfficeBoxNumber
      postalCode
      streetAddress
      telephone
    }
    currenciesAccepted
    description
    event {
      duration
      eventStatus {
        ...EventStatusTypeFragment
      }
      eventStatusTypeName
      id
      identifier {
        ...EventIdentifierFragment
      }
      isAccessibleForFree
      location {
        ...PlaceFragment
      }
      locationId
      name
      subEvent {
        ...EntryFragment
      }
      typicalAgeRange
    }
    hasMap
    id
    identifier {
      id
      name
      place {
        ...PlaceFragment
      }
      placeId
      value
      valueReference
    }
    isAccessibleForFree
    latitude
    longitude
    maximumAttendeeCapacity
    name
    organization {
      address {
        ...PostalAddressFragment
      }
      affiliated {
        ...PersonFragment
      }
      alternateName
      id
      identifier {
        ...OrganizationIdentifierFragment
      }
      invoice_broker {
        ...InvoiceFragment
      }
      invoice_provider {
        ...InvoiceFragment
      }
      location {
        ...PlaceFragment
      }
      locationId
      name
      order_broker {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation_broker {
        ...ReservationFragment
      }
      reservation_proivider {
        ...ReservationFragment
      }
      seller {
        ...OrderFragment
      }
      ticket {
        ...TicketFragment
      }
      url
    }
    priceRange
    publicAccess
    slogan
    smokingAllowed
    telephone
    tourBookingPage
    url
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "Place_by_pk": {
      "additionalProperty": jsonb,
      "address": [PostalAddress],
      "currenciesAccepted": "abc123",
      "description": "abc123",
      "event": [Event],
      "hasMap": "abc123",
      "id": uuid,
      "identifier": [PlaceIdentifier],
      "isAccessibleForFree": true,
      "latitude": numeric,
      "longitude": numeric,
      "maximumAttendeeCapacity": 123,
      "name": "abc123",
      "organization": [Organization],
      "priceRange": "xyz789",
      "publicAccess": false,
      "slogan": "abc123",
      "smokingAllowed": false,
      "telephone": "abc123",
      "tourBookingPage": "abc123",
      "url": "xyz789"
    }
  }
}

PlaceIdentifier

PlaceIdentifier

Description

fetch data from the table: "PlaceIdentifier"

Response

Returns [PlaceIdentifier!]!

Arguments
Name Description
distinct_on - [PlaceIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [PlaceIdentifier_order_by!] sort the rows by one or more columns
where - PlaceIdentifier_bool_exp filter the rows returned

Example

Query
query PlaceIdentifier(
  $distinct_on: [PlaceIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [PlaceIdentifier_order_by!],
  $where: PlaceIdentifier_bool_exp
) {
  PlaceIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    id
    name
    place {
      additionalProperty
      address {
        ...PostalAddressFragment
      }
      currenciesAccepted
      description
      event {
        ...EventFragment
      }
      hasMap
      id
      identifier {
        ...PlaceIdentifierFragment
      }
      isAccessibleForFree
      latitude
      longitude
      maximumAttendeeCapacity
      name
      organization {
        ...OrganizationFragment
      }
      priceRange
      publicAccess
      slogan
      smokingAllowed
      telephone
      tourBookingPage
      url
    }
    placeId
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["id"],
  "limit": 987,
  "offset": 123,
  "order_by": [PlaceIdentifier_order_by],
  "where": PlaceIdentifier_bool_exp
}
Response
{
  "data": {
    "PlaceIdentifier": [
      {
        "id": uuid,
        "name": "xyz789",
        "place": Place,
        "placeId": uuid,
        "value": "abc123",
        "valueReference": "xyz789"
      }
    ]
  }
}

PlaceIdentifier_by_pk

Description

fetch data from the table: "PlaceIdentifier" using primary key columns

Response

Returns a PlaceIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query PlaceIdentifier_by_pk($id: uuid!) {
  PlaceIdentifier_by_pk(id: $id) {
    id
    name
    place {
      additionalProperty
      address {
        ...PostalAddressFragment
      }
      currenciesAccepted
      description
      event {
        ...EventFragment
      }
      hasMap
      id
      identifier {
        ...PlaceIdentifierFragment
      }
      isAccessibleForFree
      latitude
      longitude
      maximumAttendeeCapacity
      name
      organization {
        ...OrganizationFragment
      }
      priceRange
      publicAccess
      slogan
      smokingAllowed
      telephone
      tourBookingPage
      url
    }
    placeId
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "PlaceIdentifier_by_pk": {
      "id": uuid,
      "name": "xyz789",
      "place": Place,
      "placeId": uuid,
      "value": "abc123",
      "valueReference": "abc123"
    }
  }
}

PostalAddress

PostalAddress

Description

fetch data from the table: "PostalAddress"

Response

Returns [PostalAddress!]!

Arguments
Name Description
distinct_on - [PostalAddress_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [PostalAddress_order_by!] sort the rows by one or more columns
where - PostalAddress_bool_exp filter the rows returned

Example

Query
query PostalAddress(
  $distinct_on: [PostalAddress_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [PostalAddress_order_by!],
  $where: PostalAddress_bool_exp
) {
  PostalAddress(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    addressCountry {
      alternateName
      id
      identifier {
        ...CountryIdentifierFragment
      }
      name
      person {
        ...PersonFragment
      }
      postalAddresses {
        ...PostalAddressFragment
      }
    }
    addressCountryId
    addressLocality
    addressRegion
    id
    identifier {
      id
      name
      postalAddress {
        ...PostalAddressFragment
      }
      postalAddressId
      value
      valueReference
    }
    name
    order {
      billingAddress {
        ...PostalAddressFragment
      }
      billingAddressId
      broker {
        ...OrganizationFragment
      }
      brokerId
      confirmationNumber
      customer {
        ...PersonFragment
      }
      customerId
      discount
      discountCode
      facePrice
      id
      identifier {
        ...OrderIdentifierFragment
      }
      isGift
      orderDate
      orderNumber
      orderStatus {
        ...OrderStatusFragment
      }
      orderStatusName
      orderedItem {
        ...OrderItemFragment
      }
      partOfInvoice {
        ...InvoiceFragment
      }
      reservation {
        ...ReservationFragment
      }
      seller {
        ...OrganizationFragment
      }
      sellerId
      totalFee
      totalPaymentDue
      totalTax
    }
    organization {
      address {
        ...PostalAddressFragment
      }
      affiliated {
        ...PersonFragment
      }
      alternateName
      id
      identifier {
        ...OrganizationIdentifierFragment
      }
      invoice_broker {
        ...InvoiceFragment
      }
      invoice_provider {
        ...InvoiceFragment
      }
      location {
        ...PlaceFragment
      }
      locationId
      name
      order_broker {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation_broker {
        ...ReservationFragment
      }
      reservation_proivider {
        ...ReservationFragment
      }
      seller {
        ...OrderFragment
      }
      ticket {
        ...TicketFragment
      }
      url
    }
    organizationId
    person {
      address {
        ...PostalAddressFragment
      }
      affiliation {
        ...OrganizationFragment
      }
      affiliationId
      birthDate
      dateCreated
      dateModified
      email
      familyName
      givenName
      homeLocation {
        ...PostalAddressFragment
      }
      homeLocationId
      honorificPrefix
      honorificSuffix
      id
      identifier {
        ...PersonIdentifierFragment
      }
      invoice {
        ...InvoiceFragment
      }
      nationality {
        ...CountryFragment
      }
      nationalityId
      order {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation {
        ...ReservationFragment
      }
      reservedTicket {
        ...TicketFragment
      }
      telephone
    }
    place {
      additionalProperty
      address {
        ...PostalAddressFragment
      }
      currenciesAccepted
      description
      event {
        ...EventFragment
      }
      hasMap
      id
      identifier {
        ...PlaceIdentifierFragment
      }
      isAccessibleForFree
      latitude
      longitude
      maximumAttendeeCapacity
      name
      organization {
        ...OrganizationFragment
      }
      priceRange
      publicAccess
      slogan
      smokingAllowed
      telephone
      tourBookingPage
      url
    }
    placeId
    postOfficeBoxNumber
    postalCode
    streetAddress
    telephone
  }
}
Variables
{
  "distinct_on": ["addressCountryId"],
  "limit": 987,
  "offset": 987,
  "order_by": [PostalAddress_order_by],
  "where": PostalAddress_bool_exp
}
Response
{
  "data": {
    "PostalAddress": [
      {
        "addressCountry": Country,
        "addressCountryId": uuid,
        "addressLocality": "xyz789",
        "addressRegion": "abc123",
        "id": uuid,
        "identifier": [PostalAddressIdentifier],
        "name": "xyz789",
        "order": [Order],
        "organization": Organization,
        "organizationId": uuid,
        "person": Person,
        "place": Place,
        "placeId": uuid,
        "postOfficeBoxNumber": "abc123",
        "postalCode": "abc123",
        "streetAddress": "abc123",
        "telephone": "abc123"
      }
    ]
  }
}

PostalAddress_by_pk

Description

fetch data from the table: "PostalAddress" using primary key columns

Response

Returns a PostalAddress

Arguments
Name Description
id - uuid!

Example

Query
query PostalAddress_by_pk($id: uuid!) {
  PostalAddress_by_pk(id: $id) {
    addressCountry {
      alternateName
      id
      identifier {
        ...CountryIdentifierFragment
      }
      name
      person {
        ...PersonFragment
      }
      postalAddresses {
        ...PostalAddressFragment
      }
    }
    addressCountryId
    addressLocality
    addressRegion
    id
    identifier {
      id
      name
      postalAddress {
        ...PostalAddressFragment
      }
      postalAddressId
      value
      valueReference
    }
    name
    order {
      billingAddress {
        ...PostalAddressFragment
      }
      billingAddressId
      broker {
        ...OrganizationFragment
      }
      brokerId
      confirmationNumber
      customer {
        ...PersonFragment
      }
      customerId
      discount
      discountCode
      facePrice
      id
      identifier {
        ...OrderIdentifierFragment
      }
      isGift
      orderDate
      orderNumber
      orderStatus {
        ...OrderStatusFragment
      }
      orderStatusName
      orderedItem {
        ...OrderItemFragment
      }
      partOfInvoice {
        ...InvoiceFragment
      }
      reservation {
        ...ReservationFragment
      }
      seller {
        ...OrganizationFragment
      }
      sellerId
      totalFee
      totalPaymentDue
      totalTax
    }
    organization {
      address {
        ...PostalAddressFragment
      }
      affiliated {
        ...PersonFragment
      }
      alternateName
      id
      identifier {
        ...OrganizationIdentifierFragment
      }
      invoice_broker {
        ...InvoiceFragment
      }
      invoice_provider {
        ...InvoiceFragment
      }
      location {
        ...PlaceFragment
      }
      locationId
      name
      order_broker {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation_broker {
        ...ReservationFragment
      }
      reservation_proivider {
        ...ReservationFragment
      }
      seller {
        ...OrderFragment
      }
      ticket {
        ...TicketFragment
      }
      url
    }
    organizationId
    person {
      address {
        ...PostalAddressFragment
      }
      affiliation {
        ...OrganizationFragment
      }
      affiliationId
      birthDate
      dateCreated
      dateModified
      email
      familyName
      givenName
      homeLocation {
        ...PostalAddressFragment
      }
      homeLocationId
      honorificPrefix
      honorificSuffix
      id
      identifier {
        ...PersonIdentifierFragment
      }
      invoice {
        ...InvoiceFragment
      }
      nationality {
        ...CountryFragment
      }
      nationalityId
      order {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation {
        ...ReservationFragment
      }
      reservedTicket {
        ...TicketFragment
      }
      telephone
    }
    place {
      additionalProperty
      address {
        ...PostalAddressFragment
      }
      currenciesAccepted
      description
      event {
        ...EventFragment
      }
      hasMap
      id
      identifier {
        ...PlaceIdentifierFragment
      }
      isAccessibleForFree
      latitude
      longitude
      maximumAttendeeCapacity
      name
      organization {
        ...OrganizationFragment
      }
      priceRange
      publicAccess
      slogan
      smokingAllowed
      telephone
      tourBookingPage
      url
    }
    placeId
    postOfficeBoxNumber
    postalCode
    streetAddress
    telephone
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "PostalAddress_by_pk": {
      "addressCountry": Country,
      "addressCountryId": uuid,
      "addressLocality": "xyz789",
      "addressRegion": "abc123",
      "id": uuid,
      "identifier": [PostalAddressIdentifier],
      "name": "abc123",
      "order": [Order],
      "organization": Organization,
      "organizationId": uuid,
      "person": Person,
      "place": Place,
      "placeId": uuid,
      "postOfficeBoxNumber": "xyz789",
      "postalCode": "xyz789",
      "streetAddress": "abc123",
      "telephone": "abc123"
    }
  }
}

PostalAddressIdentifier

PostalAddressIdentifier

Description

fetch data from the table: "PostalAddressIdentifier"

Response

Returns [PostalAddressIdentifier!]!

Arguments
Name Description
distinct_on - [PostalAddressIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [PostalAddressIdentifier_order_by!] sort the rows by one or more columns
where - PostalAddressIdentifier_bool_exp filter the rows returned

Example

Query
query PostalAddressIdentifier(
  $distinct_on: [PostalAddressIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [PostalAddressIdentifier_order_by!],
  $where: PostalAddressIdentifier_bool_exp
) {
  PostalAddressIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    id
    name
    postalAddress {
      addressCountry {
        ...CountryFragment
      }
      addressCountryId
      addressLocality
      addressRegion
      id
      identifier {
        ...PostalAddressIdentifierFragment
      }
      name
      order {
        ...OrderFragment
      }
      organization {
        ...OrganizationFragment
      }
      organizationId
      person {
        ...PersonFragment
      }
      place {
        ...PlaceFragment
      }
      placeId
      postOfficeBoxNumber
      postalCode
      streetAddress
      telephone
    }
    postalAddressId
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["id"],
  "limit": 987,
  "offset": 987,
  "order_by": [PostalAddressIdentifier_order_by],
  "where": PostalAddressIdentifier_bool_exp
}
Response
{
  "data": {
    "PostalAddressIdentifier": [
      {
        "id": uuid,
        "name": "xyz789",
        "postalAddress": PostalAddress,
        "postalAddressId": uuid,
        "value": "xyz789",
        "valueReference": "abc123"
      }
    ]
  }
}

PostalAddressIdentifier_by_pk

Description

fetch data from the table: "PostalAddressIdentifier" using primary key columns

Response

Returns a PostalAddressIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query PostalAddressIdentifier_by_pk($id: uuid!) {
  PostalAddressIdentifier_by_pk(id: $id) {
    id
    name
    postalAddress {
      addressCountry {
        ...CountryFragment
      }
      addressCountryId
      addressLocality
      addressRegion
      id
      identifier {
        ...PostalAddressIdentifierFragment
      }
      name
      order {
        ...OrderFragment
      }
      organization {
        ...OrganizationFragment
      }
      organizationId
      person {
        ...PersonFragment
      }
      place {
        ...PlaceFragment
      }
      placeId
      postOfficeBoxNumber
      postalCode
      streetAddress
      telephone
    }
    postalAddressId
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "PostalAddressIdentifier_by_pk": {
      "id": uuid,
      "name": "xyz789",
      "postalAddress": PostalAddress,
      "postalAddressId": uuid,
      "value": "abc123",
      "valueReference": "abc123"
    }
  }
}

Product

Product

Description

fetch data from the table: "Product"

Response

Returns [Product!]!

Arguments
Name Description
distinct_on - [Product_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [Product_order_by!] sort the rows by one or more columns
where - Product_bool_exp filter the rows returned

Example

Query
query Product(
  $distinct_on: [Product_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [Product_order_by!],
  $where: Product_bool_exp
) {
  Product(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    additionalProperty
    color
    depth
    hasMeasurement
    height
    id
    identifier {
      id
      name
      product {
        ...ProductFragment
      }
      productId
      value
      valueReference
    }
    isVariantOf {
      additionalProperty
      color
      depth
      hasMeasurement
      hasVariant {
        ...ProductFragment
      }
      height
      id
      identifier {
        ...ProductGroupIdentifierFragment
      }
      material
      name
      productGroupId
      productId
      sku
      variesBy
      weight
      width
    }
    isVariantOfId
    material
    name
    orderItem {
      id
      identifier {
        ...OrderItemIdentifierFragment
      }
      order {
        ...OrderFragment
      }
      orderId
      orderItemStatus {
        ...OrderStatusFragment
      }
      orderItemStatusName
      orderQuantity
      product {
        ...ProductFragment
      }
      productId
      totalPaymentDue
    }
    productID
    sku
    weight
    width
  }
}
Variables
{
  "distinct_on": ["additionalProperty"],
  "limit": 123,
  "offset": 123,
  "order_by": [Product_order_by],
  "where": Product_bool_exp
}
Response
{
  "data": {
    "Product": [
      {
        "additionalProperty": "abc123",
        "color": "abc123",
        "depth": "abc123",
        "hasMeasurement": "xyz789",
        "height": "abc123",
        "id": uuid,
        "identifier": [ProductIdentifier],
        "isVariantOf": ProductGroup,
        "isVariantOfId": uuid,
        "material": "abc123",
        "name": "abc123",
        "orderItem": [OrderItem],
        "productID": "xyz789",
        "sku": "xyz789",
        "weight": "xyz789",
        "width": "xyz789"
      }
    ]
  }
}

Product_by_pk

Description

fetch data from the table: "Product" using primary key columns

Response

Returns a Product

Arguments
Name Description
id - uuid!

Example

Query
query Product_by_pk($id: uuid!) {
  Product_by_pk(id: $id) {
    additionalProperty
    color
    depth
    hasMeasurement
    height
    id
    identifier {
      id
      name
      product {
        ...ProductFragment
      }
      productId
      value
      valueReference
    }
    isVariantOf {
      additionalProperty
      color
      depth
      hasMeasurement
      hasVariant {
        ...ProductFragment
      }
      height
      id
      identifier {
        ...ProductGroupIdentifierFragment
      }
      material
      name
      productGroupId
      productId
      sku
      variesBy
      weight
      width
    }
    isVariantOfId
    material
    name
    orderItem {
      id
      identifier {
        ...OrderItemIdentifierFragment
      }
      order {
        ...OrderFragment
      }
      orderId
      orderItemStatus {
        ...OrderStatusFragment
      }
      orderItemStatusName
      orderQuantity
      product {
        ...ProductFragment
      }
      productId
      totalPaymentDue
    }
    productID
    sku
    weight
    width
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "Product_by_pk": {
      "additionalProperty": "xyz789",
      "color": "abc123",
      "depth": "abc123",
      "hasMeasurement": "abc123",
      "height": "xyz789",
      "id": uuid,
      "identifier": [ProductIdentifier],
      "isVariantOf": ProductGroup,
      "isVariantOfId": uuid,
      "material": "abc123",
      "name": "abc123",
      "orderItem": [OrderItem],
      "productID": "xyz789",
      "sku": "xyz789",
      "weight": "abc123",
      "width": "abc123"
    }
  }
}

ProductGroup

ProductGroup

Description

fetch data from the table: "ProductGroup"

Response

Returns [ProductGroup!]!

Arguments
Name Description
distinct_on - [ProductGroup_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [ProductGroup_order_by!] sort the rows by one or more columns
where - ProductGroup_bool_exp filter the rows returned

Example

Query
query ProductGroup(
  $distinct_on: [ProductGroup_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [ProductGroup_order_by!],
  $where: ProductGroup_bool_exp
) {
  ProductGroup(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    additionalProperty
    color
    depth
    hasMeasurement
    hasVariant {
      additionalProperty
      color
      depth
      hasMeasurement
      height
      id
      identifier {
        ...ProductIdentifierFragment
      }
      isVariantOf {
        ...ProductGroupFragment
      }
      isVariantOfId
      material
      name
      orderItem {
        ...OrderItemFragment
      }
      productID
      sku
      weight
      width
    }
    height
    id
    identifier {
      id
      name
      productGroup {
        ...ProductGroupFragment
      }
      productGroupId
      value
      valueReference
    }
    material
    name
    productGroupId
    productId
    sku
    variesBy
    weight
    width
  }
}
Variables
{
  "distinct_on": ["additionalProperty"],
  "limit": 123,
  "offset": 987,
  "order_by": [ProductGroup_order_by],
  "where": ProductGroup_bool_exp
}
Response
{
  "data": {
    "ProductGroup": [
      {
        "additionalProperty": "xyz789",
        "color": "xyz789",
        "depth": "abc123",
        "hasMeasurement": "abc123",
        "hasVariant": [Product],
        "height": "abc123",
        "id": uuid,
        "identifier": [ProductGroupIdentifier],
        "material": "xyz789",
        "name": "abc123",
        "productGroupId": "abc123",
        "productId": "xyz789",
        "sku": "abc123",
        "variesBy": "abc123",
        "weight": "abc123",
        "width": "xyz789"
      }
    ]
  }
}

ProductGroup_by_pk

Description

fetch data from the table: "ProductGroup" using primary key columns

Response

Returns a ProductGroup

Arguments
Name Description
id - uuid!

Example

Query
query ProductGroup_by_pk($id: uuid!) {
  ProductGroup_by_pk(id: $id) {
    additionalProperty
    color
    depth
    hasMeasurement
    hasVariant {
      additionalProperty
      color
      depth
      hasMeasurement
      height
      id
      identifier {
        ...ProductIdentifierFragment
      }
      isVariantOf {
        ...ProductGroupFragment
      }
      isVariantOfId
      material
      name
      orderItem {
        ...OrderItemFragment
      }
      productID
      sku
      weight
      width
    }
    height
    id
    identifier {
      id
      name
      productGroup {
        ...ProductGroupFragment
      }
      productGroupId
      value
      valueReference
    }
    material
    name
    productGroupId
    productId
    sku
    variesBy
    weight
    width
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "ProductGroup_by_pk": {
      "additionalProperty": "abc123",
      "color": "xyz789",
      "depth": "xyz789",
      "hasMeasurement": "xyz789",
      "hasVariant": [Product],
      "height": "abc123",
      "id": uuid,
      "identifier": [ProductGroupIdentifier],
      "material": "xyz789",
      "name": "xyz789",
      "productGroupId": "xyz789",
      "productId": "xyz789",
      "sku": "abc123",
      "variesBy": "xyz789",
      "weight": "abc123",
      "width": "abc123"
    }
  }
}

ProductGroupIdentifier

ProductGroupIdentifier

Description

fetch data from the table: "ProductGroupIdentifier"

Response

Returns [ProductGroupIdentifier!]!

Arguments
Name Description
distinct_on - [ProductGroupIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [ProductGroupIdentifier_order_by!] sort the rows by one or more columns
where - ProductGroupIdentifier_bool_exp filter the rows returned

Example

Query
query ProductGroupIdentifier(
  $distinct_on: [ProductGroupIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [ProductGroupIdentifier_order_by!],
  $where: ProductGroupIdentifier_bool_exp
) {
  ProductGroupIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    id
    name
    productGroup {
      additionalProperty
      color
      depth
      hasMeasurement
      hasVariant {
        ...ProductFragment
      }
      height
      id
      identifier {
        ...ProductGroupIdentifierFragment
      }
      material
      name
      productGroupId
      productId
      sku
      variesBy
      weight
      width
    }
    productGroupId
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["id"],
  "limit": 987,
  "offset": 123,
  "order_by": [ProductGroupIdentifier_order_by],
  "where": ProductGroupIdentifier_bool_exp
}
Response
{
  "data": {
    "ProductGroupIdentifier": [
      {
        "id": uuid,
        "name": "abc123",
        "productGroup": ProductGroup,
        "productGroupId": uuid,
        "value": "xyz789",
        "valueReference": "xyz789"
      }
    ]
  }
}

ProductGroupIdentifier_by_pk

Description

fetch data from the table: "ProductGroupIdentifier" using primary key columns

Response

Returns a ProductGroupIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query ProductGroupIdentifier_by_pk($id: uuid!) {
  ProductGroupIdentifier_by_pk(id: $id) {
    id
    name
    productGroup {
      additionalProperty
      color
      depth
      hasMeasurement
      hasVariant {
        ...ProductFragment
      }
      height
      id
      identifier {
        ...ProductGroupIdentifierFragment
      }
      material
      name
      productGroupId
      productId
      sku
      variesBy
      weight
      width
    }
    productGroupId
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "ProductGroupIdentifier_by_pk": {
      "id": uuid,
      "name": "abc123",
      "productGroup": ProductGroup,
      "productGroupId": uuid,
      "value": "xyz789",
      "valueReference": "abc123"
    }
  }
}

ProductIdentifier

ProductIdentifier

Description

fetch data from the table: "ProductIdentifier"

Response

Returns [ProductIdentifier!]!

Arguments
Name Description
distinct_on - [ProductIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [ProductIdentifier_order_by!] sort the rows by one or more columns
where - ProductIdentifier_bool_exp filter the rows returned

Example

Query
query ProductIdentifier(
  $distinct_on: [ProductIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [ProductIdentifier_order_by!],
  $where: ProductIdentifier_bool_exp
) {
  ProductIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    id
    name
    product {
      additionalProperty
      color
      depth
      hasMeasurement
      height
      id
      identifier {
        ...ProductIdentifierFragment
      }
      isVariantOf {
        ...ProductGroupFragment
      }
      isVariantOfId
      material
      name
      orderItem {
        ...OrderItemFragment
      }
      productID
      sku
      weight
      width
    }
    productId
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["id"],
  "limit": 987,
  "offset": 987,
  "order_by": [ProductIdentifier_order_by],
  "where": ProductIdentifier_bool_exp
}
Response
{
  "data": {
    "ProductIdentifier": [
      {
        "id": uuid,
        "name": "abc123",
        "product": Product,
        "productId": uuid,
        "value": "xyz789",
        "valueReference": "abc123"
      }
    ]
  }
}

ProductIdentifier_by_pk

Description

fetch data from the table: "ProductIdentifier" using primary key columns

Response

Returns a ProductIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query ProductIdentifier_by_pk($id: uuid!) {
  ProductIdentifier_by_pk(id: $id) {
    id
    name
    product {
      additionalProperty
      color
      depth
      hasMeasurement
      height
      id
      identifier {
        ...ProductIdentifierFragment
      }
      isVariantOf {
        ...ProductGroupFragment
      }
      isVariantOfId
      material
      name
      orderItem {
        ...OrderItemFragment
      }
      productID
      sku
      weight
      width
    }
    productId
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "ProductIdentifier_by_pk": {
      "id": uuid,
      "name": "xyz789",
      "product": Product,
      "productId": uuid,
      "value": "xyz789",
      "valueReference": "abc123"
    }
  }
}

ProductModelIdentifier

ProductModelIdentifier

Description

fetch data from the table: "ProductModelIdentifier"

Response

Returns [ProductModelIdentifier!]!

Arguments
Name Description
distinct_on - [ProductModelIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [ProductModelIdentifier_order_by!] sort the rows by one or more columns
where - ProductModelIdentifier_bool_exp filter the rows returned

Example

Query
query ProductModelIdentifier(
  $distinct_on: [ProductModelIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [ProductModelIdentifier_order_by!],
  $where: ProductModelIdentifier_bool_exp
) {
  ProductModelIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    id
    name
    productModelId
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["id"],
  "limit": 123,
  "offset": 123,
  "order_by": [ProductModelIdentifier_order_by],
  "where": ProductModelIdentifier_bool_exp
}
Response
{
  "data": {
    "ProductModelIdentifier": [
      {
        "id": uuid,
        "name": "xyz789",
        "productModelId": uuid,
        "value": "xyz789",
        "valueReference": "xyz789"
      }
    ]
  }
}

ProductModelIdentifier_by_pk

Description

fetch data from the table: "ProductModelIdentifier" using primary key columns

Response

Returns a ProductModelIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query ProductModelIdentifier_by_pk($id: uuid!) {
  ProductModelIdentifier_by_pk(id: $id) {
    id
    name
    productModelId
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "ProductModelIdentifier_by_pk": {
      "id": uuid,
      "name": "abc123",
      "productModelId": uuid,
      "value": "xyz789",
      "valueReference": "xyz789"
    }
  }
}

ProgramMembership

ProgramMembership

Description

fetch data from the table: "ProgramMembership"

Response

Returns [ProgramMembership!]!

Arguments
Name Description
distinct_on - [ProgramMembership_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [ProgramMembership_order_by!] sort the rows by one or more columns
where - ProgramMembership_bool_exp filter the rows returned

Example

Query
query ProgramMembership(
  $distinct_on: [ProgramMembership_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [ProgramMembership_order_by!],
  $where: ProgramMembership_bool_exp
) {
  ProgramMembership(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    hostingOrganization {
      address {
        ...PostalAddressFragment
      }
      affiliated {
        ...PersonFragment
      }
      alternateName
      id
      identifier {
        ...OrganizationIdentifierFragment
      }
      invoice_broker {
        ...InvoiceFragment
      }
      invoice_provider {
        ...InvoiceFragment
      }
      location {
        ...PlaceFragment
      }
      locationId
      name
      order_broker {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation_broker {
        ...ReservationFragment
      }
      reservation_proivider {
        ...ReservationFragment
      }
      seller {
        ...OrderFragment
      }
      ticket {
        ...TicketFragment
      }
      url
    }
    hostingOrganizationId
    id
    identifier {
      id
      name
      programMembership {
        ...ProgramMembershipFragment
      }
      programMembershipId
      value
      valueReference
    }
    member {
      address {
        ...PostalAddressFragment
      }
      affiliation {
        ...OrganizationFragment
      }
      affiliationId
      birthDate
      dateCreated
      dateModified
      email
      familyName
      givenName
      homeLocation {
        ...PostalAddressFragment
      }
      homeLocationId
      honorificPrefix
      honorificSuffix
      id
      identifier {
        ...PersonIdentifierFragment
      }
      invoice {
        ...InvoiceFragment
      }
      nationality {
        ...CountryFragment
      }
      nationalityId
      order {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation {
        ...ReservationFragment
      }
      reservedTicket {
        ...TicketFragment
      }
      telephone
    }
    memberId
    membershipNumber
    membershipPointsEarned
    programId
    reservation {
      bookingTime
      broker {
        ...OrganizationFragment
      }
      brokerId
      id
      identifier {
        ...ReservationIdentifierFragment
      }
      modifiedTime
      orderId
      partOfOrder {
        ...OrderFragment
      }
      priceCurrency
      programMembershipUsed {
        ...ProgramMembershipFragment
      }
      programMembershipUsedId
      provider {
        ...OrganizationFragment
      }
      providerId
      reservationFor {
        ...EntryFragment
      }
      reservationForId
      reservationId
      reservationStatus {
        ...ReservationStatusTypeFragment
      }
      reservationStatusTypeName
      reservedTicket {
        ...TicketFragment
      }
      totalPrice
      underName {
        ...PersonFragment
      }
      underNameId
    }
    validFrom
    validThrough
  }
}
Variables
{
  "distinct_on": ["hostingOrganizationId"],
  "limit": 987,
  "offset": 987,
  "order_by": [ProgramMembership_order_by],
  "where": ProgramMembership_bool_exp
}
Response
{
  "data": {
    "ProgramMembership": [
      {
        "hostingOrganization": Organization,
        "hostingOrganizationId": uuid,
        "id": uuid,
        "identifier": [ProgramMembershipIdentifier],
        "member": Person,
        "memberId": uuid,
        "membershipNumber": "xyz789",
        "membershipPointsEarned": 987,
        "programId": uuid,
        "reservation": [Reservation],
        "validFrom": timestamp,
        "validThrough": timestamp
      }
    ]
  }
}

ProgramMembership_by_pk

Description

fetch data from the table: "ProgramMembership" using primary key columns

Response

Returns a ProgramMembership

Arguments
Name Description
id - uuid!

Example

Query
query ProgramMembership_by_pk($id: uuid!) {
  ProgramMembership_by_pk(id: $id) {
    hostingOrganization {
      address {
        ...PostalAddressFragment
      }
      affiliated {
        ...PersonFragment
      }
      alternateName
      id
      identifier {
        ...OrganizationIdentifierFragment
      }
      invoice_broker {
        ...InvoiceFragment
      }
      invoice_provider {
        ...InvoiceFragment
      }
      location {
        ...PlaceFragment
      }
      locationId
      name
      order_broker {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation_broker {
        ...ReservationFragment
      }
      reservation_proivider {
        ...ReservationFragment
      }
      seller {
        ...OrderFragment
      }
      ticket {
        ...TicketFragment
      }
      url
    }
    hostingOrganizationId
    id
    identifier {
      id
      name
      programMembership {
        ...ProgramMembershipFragment
      }
      programMembershipId
      value
      valueReference
    }
    member {
      address {
        ...PostalAddressFragment
      }
      affiliation {
        ...OrganizationFragment
      }
      affiliationId
      birthDate
      dateCreated
      dateModified
      email
      familyName
      givenName
      homeLocation {
        ...PostalAddressFragment
      }
      homeLocationId
      honorificPrefix
      honorificSuffix
      id
      identifier {
        ...PersonIdentifierFragment
      }
      invoice {
        ...InvoiceFragment
      }
      nationality {
        ...CountryFragment
      }
      nationalityId
      order {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation {
        ...ReservationFragment
      }
      reservedTicket {
        ...TicketFragment
      }
      telephone
    }
    memberId
    membershipNumber
    membershipPointsEarned
    programId
    reservation {
      bookingTime
      broker {
        ...OrganizationFragment
      }
      brokerId
      id
      identifier {
        ...ReservationIdentifierFragment
      }
      modifiedTime
      orderId
      partOfOrder {
        ...OrderFragment
      }
      priceCurrency
      programMembershipUsed {
        ...ProgramMembershipFragment
      }
      programMembershipUsedId
      provider {
        ...OrganizationFragment
      }
      providerId
      reservationFor {
        ...EntryFragment
      }
      reservationForId
      reservationId
      reservationStatus {
        ...ReservationStatusTypeFragment
      }
      reservationStatusTypeName
      reservedTicket {
        ...TicketFragment
      }
      totalPrice
      underName {
        ...PersonFragment
      }
      underNameId
    }
    validFrom
    validThrough
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "ProgramMembership_by_pk": {
      "hostingOrganization": Organization,
      "hostingOrganizationId": uuid,
      "id": uuid,
      "identifier": [ProgramMembershipIdentifier],
      "member": Person,
      "memberId": uuid,
      "membershipNumber": "abc123",
      "membershipPointsEarned": 987,
      "programId": uuid,
      "reservation": [Reservation],
      "validFrom": timestamp,
      "validThrough": timestamp
    }
  }
}

ProgramMembershipIdentifier

ProgramMembershipIdentifier

Description

fetch data from the table: "ProgramMembershipIdentifier"

Arguments
Name Description
distinct_on - [ProgramMembershipIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [ProgramMembershipIdentifier_order_by!] sort the rows by one or more columns
where - ProgramMembershipIdentifier_bool_exp filter the rows returned

Example

Query
query ProgramMembershipIdentifier(
  $distinct_on: [ProgramMembershipIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [ProgramMembershipIdentifier_order_by!],
  $where: ProgramMembershipIdentifier_bool_exp
) {
  ProgramMembershipIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    id
    name
    programMembership {
      hostingOrganization {
        ...OrganizationFragment
      }
      hostingOrganizationId
      id
      identifier {
        ...ProgramMembershipIdentifierFragment
      }
      member {
        ...PersonFragment
      }
      memberId
      membershipNumber
      membershipPointsEarned
      programId
      reservation {
        ...ReservationFragment
      }
      validFrom
      validThrough
    }
    programMembershipId
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["id"],
  "limit": 987,
  "offset": 123,
  "order_by": [ProgramMembershipIdentifier_order_by],
  "where": ProgramMembershipIdentifier_bool_exp
}
Response
{
  "data": {
    "ProgramMembershipIdentifier": [
      {
        "id": uuid,
        "name": "xyz789",
        "programMembership": ProgramMembership,
        "programMembershipId": uuid,
        "value": "abc123",
        "valueReference": "xyz789"
      }
    ]
  }
}

ProgramMembershipIdentifier_by_pk

Description

fetch data from the table: "ProgramMembershipIdentifier" using primary key columns

Response

Returns a ProgramMembershipIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query ProgramMembershipIdentifier_by_pk($id: uuid!) {
  ProgramMembershipIdentifier_by_pk(id: $id) {
    id
    name
    programMembership {
      hostingOrganization {
        ...OrganizationFragment
      }
      hostingOrganizationId
      id
      identifier {
        ...ProgramMembershipIdentifierFragment
      }
      member {
        ...PersonFragment
      }
      memberId
      membershipNumber
      membershipPointsEarned
      programId
      reservation {
        ...ReservationFragment
      }
      validFrom
      validThrough
    }
    programMembershipId
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "ProgramMembershipIdentifier_by_pk": {
      "id": uuid,
      "name": "xyz789",
      "programMembership": ProgramMembership,
      "programMembershipId": uuid,
      "value": "xyz789",
      "valueReference": "abc123"
    }
  }
}

PushNotification

PushNotification

Response

Returns [PushNotification!]!

Arguments
Name Description
filter - PushNotification_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query PushNotification(
  $filter: PushNotification_filter,
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  PushNotification(
    filter: $filter,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    id
    isPartOfCollection {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasMediaObject {
        ...MediaObjectFragment
      }
      hasMediaObject_func {
        ...count_functionsFragment
      }
      id
      isDeliveredByBeaconGroup {
        ...BeaconGroupFragment
      }
      isPartOfCollectionGroup {
        ...CollectionGroupFragment
      }
      lockedImage {
        ...directus_filesFragment
      }
      name
      pushNotification {
        ...PushNotificationFragment
      }
      pushNotification_func {
        ...count_functionsFragment
      }
      sort
      status
      unlockedImage {
        ...directus_filesFragment
      }
      userUnlockState {
        ...UserUnlockStateFragment
      }
      userUnlockState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    name
    sort
    status
    subtitle
    text
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{
  "filter": PushNotification_filter,
  "limit": 987,
  "offset": 987,
  "page": 987,
  "search": "xyz789",
  "sort": ["xyz789"]
}
Response
{
  "data": {
    "PushNotification": [
      {
        "date_created": "2007-12-03",
        "date_created_func": datetime_functions,
        "date_updated": "2007-12-03",
        "date_updated_func": datetime_functions,
        "id": 4,
        "isPartOfCollection": Collection,
        "name": "abc123",
        "sort": 123,
        "status": "abc123",
        "subtitle": "abc123",
        "text": "abc123",
        "user_created": directus_users,
        "user_updated": directus_users
      }
    ]
  }
}

PushNotification_aggregated

Arguments
Name Description
filter - PushNotification_filter
groupBy - [String]
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query PushNotification_aggregated(
  $filter: PushNotification_filter,
  $groupBy: [String],
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  PushNotification_aggregated(
    filter: $filter,
    groupBy: $groupBy,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    avg {
      sort
    }
    avgDistinct {
      sort
    }
    count {
      date_created
      date_updated
      id
      isPartOfCollection
      name
      sort
      status
      subtitle
      text
      user_created
      user_updated
    }
    countAll
    countDistinct {
      date_created
      date_updated
      id
      isPartOfCollection
      name
      sort
      status
      subtitle
      text
      user_created
      user_updated
    }
    group
    max {
      sort
    }
    min {
      sort
    }
    sum {
      sort
    }
    sumDistinct {
      sort
    }
  }
}
Variables
{
  "filter": PushNotification_filter,
  "groupBy": ["xyz789"],
  "limit": 123,
  "offset": 987,
  "page": 987,
  "search": "abc123",
  "sort": ["xyz789"]
}
Response
{
  "data": {
    "PushNotification_aggregated": [
      {
        "avg": PushNotification_aggregated_fields,
        "avgDistinct": PushNotification_aggregated_fields,
        "count": PushNotification_aggregated_count,
        "countAll": 123,
        "countDistinct": PushNotification_aggregated_count,
        "group": {},
        "max": PushNotification_aggregated_fields,
        "min": PushNotification_aggregated_fields,
        "sum": PushNotification_aggregated_fields,
        "sumDistinct": PushNotification_aggregated_fields
      }
    ]
  }
}

PushNotification_by_id

Response

Returns a PushNotification

Arguments
Name Description
id - ID!

Example

Query
query PushNotification_by_id($id: ID!) {
  PushNotification_by_id(id: $id) {
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    id
    isPartOfCollection {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasMediaObject {
        ...MediaObjectFragment
      }
      hasMediaObject_func {
        ...count_functionsFragment
      }
      id
      isDeliveredByBeaconGroup {
        ...BeaconGroupFragment
      }
      isPartOfCollectionGroup {
        ...CollectionGroupFragment
      }
      lockedImage {
        ...directus_filesFragment
      }
      name
      pushNotification {
        ...PushNotificationFragment
      }
      pushNotification_func {
        ...count_functionsFragment
      }
      sort
      status
      unlockedImage {
        ...directus_filesFragment
      }
      userUnlockState {
        ...UserUnlockStateFragment
      }
      userUnlockState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    name
    sort
    status
    subtitle
    text
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{"id": "4"}
Response
{
  "data": {
    "PushNotification_by_id": {
      "date_created": "2007-12-03",
      "date_created_func": datetime_functions,
      "date_updated": "2007-12-03",
      "date_updated_func": datetime_functions,
      "id": 4,
      "isPartOfCollection": Collection,
      "name": "abc123",
      "sort": 987,
      "status": "abc123",
      "subtitle": "xyz789",
      "text": "abc123",
      "user_created": directus_users,
      "user_updated": directus_users
    }
  }
}

Reservation

Reservation

Description

fetch data from the table: "Reservation"

Response

Returns [Reservation!]!

Arguments
Name Description
distinct_on - [Reservation_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [Reservation_order_by!] sort the rows by one or more columns
where - Reservation_bool_exp filter the rows returned

Example

Query
query Reservation(
  $distinct_on: [Reservation_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [Reservation_order_by!],
  $where: Reservation_bool_exp
) {
  Reservation(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    bookingTime
    broker {
      address {
        ...PostalAddressFragment
      }
      affiliated {
        ...PersonFragment
      }
      alternateName
      id
      identifier {
        ...OrganizationIdentifierFragment
      }
      invoice_broker {
        ...InvoiceFragment
      }
      invoice_provider {
        ...InvoiceFragment
      }
      location {
        ...PlaceFragment
      }
      locationId
      name
      order_broker {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation_broker {
        ...ReservationFragment
      }
      reservation_proivider {
        ...ReservationFragment
      }
      seller {
        ...OrderFragment
      }
      ticket {
        ...TicketFragment
      }
      url
    }
    brokerId
    id
    identifier {
      id
      name
      reservation {
        ...ReservationFragment
      }
      reservationId
      value
      valueReference
    }
    modifiedTime
    orderId
    partOfOrder {
      billingAddress {
        ...PostalAddressFragment
      }
      billingAddressId
      broker {
        ...OrganizationFragment
      }
      brokerId
      confirmationNumber
      customer {
        ...PersonFragment
      }
      customerId
      discount
      discountCode
      facePrice
      id
      identifier {
        ...OrderIdentifierFragment
      }
      isGift
      orderDate
      orderNumber
      orderStatus {
        ...OrderStatusFragment
      }
      orderStatusName
      orderedItem {
        ...OrderItemFragment
      }
      partOfInvoice {
        ...InvoiceFragment
      }
      reservation {
        ...ReservationFragment
      }
      seller {
        ...OrganizationFragment
      }
      sellerId
      totalFee
      totalPaymentDue
      totalTax
    }
    priceCurrency
    programMembershipUsed {
      hostingOrganization {
        ...OrganizationFragment
      }
      hostingOrganizationId
      id
      identifier {
        ...ProgramMembershipIdentifierFragment
      }
      member {
        ...PersonFragment
      }
      memberId
      membershipNumber
      membershipPointsEarned
      programId
      reservation {
        ...ReservationFragment
      }
      validFrom
      validThrough
    }
    programMembershipUsedId
    provider {
      address {
        ...PostalAddressFragment
      }
      affiliated {
        ...PersonFragment
      }
      alternateName
      id
      identifier {
        ...OrganizationIdentifierFragment
      }
      invoice_broker {
        ...InvoiceFragment
      }
      invoice_provider {
        ...InvoiceFragment
      }
      location {
        ...PlaceFragment
      }
      locationId
      name
      order_broker {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation_broker {
        ...ReservationFragment
      }
      reservation_proivider {
        ...ReservationFragment
      }
      seller {
        ...OrderFragment
      }
      ticket {
        ...TicketFragment
      }
      url
    }
    providerId
    reservationFor {
      dateCreated
      dateDeleted
      dateModified
      doorTime
      endDate
      eventStatus {
        ...EventStatusTypeFragment
      }
      eventStatusTypeName
      id
      identifier {
        ...EntryIdentifierFragment
      }
      maximumAttendeeCapacity
      maximumPhysicalAttendeeCapacity
      maximumVirtualAttendeeCapacity
      previousStartDate
      reservationFor {
        ...ReservationFragment
      }
      startDate
      superEvent {
        ...EventFragment
      }
      superEventId
    }
    reservationForId
    reservationId
    reservationStatus {
      description
      name
    }
    reservationStatusTypeName
    reservedTicket {
      dateIssued
      id
      identifier {
        ...TicketIdentifierFragment
      }
      isPartOfReservation {
        ...ReservationFragment
      }
      isPartOfReservationId
      issuedBy {
        ...OrganizationFragment
      }
      issuedById
      priceCurrency
      ticketNumber
      ticketToken
      totalPrice
      underName {
        ...PersonFragment
      }
      underNameId
    }
    totalPrice
    underName {
      address {
        ...PostalAddressFragment
      }
      affiliation {
        ...OrganizationFragment
      }
      affiliationId
      birthDate
      dateCreated
      dateModified
      email
      familyName
      givenName
      homeLocation {
        ...PostalAddressFragment
      }
      homeLocationId
      honorificPrefix
      honorificSuffix
      id
      identifier {
        ...PersonIdentifierFragment
      }
      invoice {
        ...InvoiceFragment
      }
      nationality {
        ...CountryFragment
      }
      nationalityId
      order {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation {
        ...ReservationFragment
      }
      reservedTicket {
        ...TicketFragment
      }
      telephone
    }
    underNameId
  }
}
Variables
{
  "distinct_on": ["bookingTime"],
  "limit": 123,
  "offset": 987,
  "order_by": [Reservation_order_by],
  "where": Reservation_bool_exp
}
Response
{
  "data": {
    "Reservation": [
      {
        "bookingTime": timestamp,
        "broker": Organization,
        "brokerId": uuid,
        "id": uuid,
        "identifier": [ReservationIdentifier],
        "modifiedTime": timestamp,
        "orderId": uuid,
        "partOfOrder": Order,
        "priceCurrency": "abc123",
        "programMembershipUsed": ProgramMembership,
        "programMembershipUsedId": uuid,
        "provider": Organization,
        "providerId": uuid,
        "reservationFor": Entry,
        "reservationForId": uuid,
        "reservationId": "abc123",
        "reservationStatus": ReservationStatusType,
        "reservationStatusTypeName": "ReservationCancelled",
        "reservedTicket": [Ticket],
        "totalPrice": numeric,
        "underName": Person,
        "underNameId": uuid
      }
    ]
  }
}

Reservation_by_pk

Description

fetch data from the table: "Reservation" using primary key columns

Response

Returns a Reservation

Arguments
Name Description
id - uuid!

Example

Query
query Reservation_by_pk($id: uuid!) {
  Reservation_by_pk(id: $id) {
    bookingTime
    broker {
      address {
        ...PostalAddressFragment
      }
      affiliated {
        ...PersonFragment
      }
      alternateName
      id
      identifier {
        ...OrganizationIdentifierFragment
      }
      invoice_broker {
        ...InvoiceFragment
      }
      invoice_provider {
        ...InvoiceFragment
      }
      location {
        ...PlaceFragment
      }
      locationId
      name
      order_broker {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation_broker {
        ...ReservationFragment
      }
      reservation_proivider {
        ...ReservationFragment
      }
      seller {
        ...OrderFragment
      }
      ticket {
        ...TicketFragment
      }
      url
    }
    brokerId
    id
    identifier {
      id
      name
      reservation {
        ...ReservationFragment
      }
      reservationId
      value
      valueReference
    }
    modifiedTime
    orderId
    partOfOrder {
      billingAddress {
        ...PostalAddressFragment
      }
      billingAddressId
      broker {
        ...OrganizationFragment
      }
      brokerId
      confirmationNumber
      customer {
        ...PersonFragment
      }
      customerId
      discount
      discountCode
      facePrice
      id
      identifier {
        ...OrderIdentifierFragment
      }
      isGift
      orderDate
      orderNumber
      orderStatus {
        ...OrderStatusFragment
      }
      orderStatusName
      orderedItem {
        ...OrderItemFragment
      }
      partOfInvoice {
        ...InvoiceFragment
      }
      reservation {
        ...ReservationFragment
      }
      seller {
        ...OrganizationFragment
      }
      sellerId
      totalFee
      totalPaymentDue
      totalTax
    }
    priceCurrency
    programMembershipUsed {
      hostingOrganization {
        ...OrganizationFragment
      }
      hostingOrganizationId
      id
      identifier {
        ...ProgramMembershipIdentifierFragment
      }
      member {
        ...PersonFragment
      }
      memberId
      membershipNumber
      membershipPointsEarned
      programId
      reservation {
        ...ReservationFragment
      }
      validFrom
      validThrough
    }
    programMembershipUsedId
    provider {
      address {
        ...PostalAddressFragment
      }
      affiliated {
        ...PersonFragment
      }
      alternateName
      id
      identifier {
        ...OrganizationIdentifierFragment
      }
      invoice_broker {
        ...InvoiceFragment
      }
      invoice_provider {
        ...InvoiceFragment
      }
      location {
        ...PlaceFragment
      }
      locationId
      name
      order_broker {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation_broker {
        ...ReservationFragment
      }
      reservation_proivider {
        ...ReservationFragment
      }
      seller {
        ...OrderFragment
      }
      ticket {
        ...TicketFragment
      }
      url
    }
    providerId
    reservationFor {
      dateCreated
      dateDeleted
      dateModified
      doorTime
      endDate
      eventStatus {
        ...EventStatusTypeFragment
      }
      eventStatusTypeName
      id
      identifier {
        ...EntryIdentifierFragment
      }
      maximumAttendeeCapacity
      maximumPhysicalAttendeeCapacity
      maximumVirtualAttendeeCapacity
      previousStartDate
      reservationFor {
        ...ReservationFragment
      }
      startDate
      superEvent {
        ...EventFragment
      }
      superEventId
    }
    reservationForId
    reservationId
    reservationStatus {
      description
      name
    }
    reservationStatusTypeName
    reservedTicket {
      dateIssued
      id
      identifier {
        ...TicketIdentifierFragment
      }
      isPartOfReservation {
        ...ReservationFragment
      }
      isPartOfReservationId
      issuedBy {
        ...OrganizationFragment
      }
      issuedById
      priceCurrency
      ticketNumber
      ticketToken
      totalPrice
      underName {
        ...PersonFragment
      }
      underNameId
    }
    totalPrice
    underName {
      address {
        ...PostalAddressFragment
      }
      affiliation {
        ...OrganizationFragment
      }
      affiliationId
      birthDate
      dateCreated
      dateModified
      email
      familyName
      givenName
      homeLocation {
        ...PostalAddressFragment
      }
      homeLocationId
      honorificPrefix
      honorificSuffix
      id
      identifier {
        ...PersonIdentifierFragment
      }
      invoice {
        ...InvoiceFragment
      }
      nationality {
        ...CountryFragment
      }
      nationalityId
      order {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation {
        ...ReservationFragment
      }
      reservedTicket {
        ...TicketFragment
      }
      telephone
    }
    underNameId
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "Reservation_by_pk": {
      "bookingTime": timestamp,
      "broker": Organization,
      "brokerId": uuid,
      "id": uuid,
      "identifier": [ReservationIdentifier],
      "modifiedTime": timestamp,
      "orderId": uuid,
      "partOfOrder": Order,
      "priceCurrency": "abc123",
      "programMembershipUsed": ProgramMembership,
      "programMembershipUsedId": uuid,
      "provider": Organization,
      "providerId": uuid,
      "reservationFor": Entry,
      "reservationForId": uuid,
      "reservationId": "xyz789",
      "reservationStatus": ReservationStatusType,
      "reservationStatusTypeName": "ReservationCancelled",
      "reservedTicket": [Ticket],
      "totalPrice": numeric,
      "underName": Person,
      "underNameId": uuid
    }
  }
}

ReservationIdentifier

ReservationIdentifier

Description

fetch data from the table: "ReservationIdentifier"

Response

Returns [ReservationIdentifier!]!

Arguments
Name Description
distinct_on - [ReservationIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [ReservationIdentifier_order_by!] sort the rows by one or more columns
where - ReservationIdentifier_bool_exp filter the rows returned

Example

Query
query ReservationIdentifier(
  $distinct_on: [ReservationIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [ReservationIdentifier_order_by!],
  $where: ReservationIdentifier_bool_exp
) {
  ReservationIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    id
    name
    reservation {
      bookingTime
      broker {
        ...OrganizationFragment
      }
      brokerId
      id
      identifier {
        ...ReservationIdentifierFragment
      }
      modifiedTime
      orderId
      partOfOrder {
        ...OrderFragment
      }
      priceCurrency
      programMembershipUsed {
        ...ProgramMembershipFragment
      }
      programMembershipUsedId
      provider {
        ...OrganizationFragment
      }
      providerId
      reservationFor {
        ...EntryFragment
      }
      reservationForId
      reservationId
      reservationStatus {
        ...ReservationStatusTypeFragment
      }
      reservationStatusTypeName
      reservedTicket {
        ...TicketFragment
      }
      totalPrice
      underName {
        ...PersonFragment
      }
      underNameId
    }
    reservationId
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["id"],
  "limit": 123,
  "offset": 123,
  "order_by": [ReservationIdentifier_order_by],
  "where": ReservationIdentifier_bool_exp
}
Response
{
  "data": {
    "ReservationIdentifier": [
      {
        "id": uuid,
        "name": "xyz789",
        "reservation": Reservation,
        "reservationId": uuid,
        "value": "abc123",
        "valueReference": "xyz789"
      }
    ]
  }
}

ReservationIdentifier_by_pk

Description

fetch data from the table: "ReservationIdentifier" using primary key columns

Response

Returns a ReservationIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query ReservationIdentifier_by_pk($id: uuid!) {
  ReservationIdentifier_by_pk(id: $id) {
    id
    name
    reservation {
      bookingTime
      broker {
        ...OrganizationFragment
      }
      brokerId
      id
      identifier {
        ...ReservationIdentifierFragment
      }
      modifiedTime
      orderId
      partOfOrder {
        ...OrderFragment
      }
      priceCurrency
      programMembershipUsed {
        ...ProgramMembershipFragment
      }
      programMembershipUsedId
      provider {
        ...OrganizationFragment
      }
      providerId
      reservationFor {
        ...EntryFragment
      }
      reservationForId
      reservationId
      reservationStatus {
        ...ReservationStatusTypeFragment
      }
      reservationStatusTypeName
      reservedTicket {
        ...TicketFragment
      }
      totalPrice
      underName {
        ...PersonFragment
      }
      underNameId
    }
    reservationId
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "ReservationIdentifier_by_pk": {
      "id": uuid,
      "name": "abc123",
      "reservation": Reservation,
      "reservationId": uuid,
      "value": "abc123",
      "valueReference": "abc123"
    }
  }
}

ReservationStatusType

ReservationStatusType

Description

fetch data from the table: "ReservationStatusType"

Response

Returns [ReservationStatusType!]!

Arguments
Name Description
distinct_on - [ReservationStatusType_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [ReservationStatusType_order_by!] sort the rows by one or more columns
where - ReservationStatusType_bool_exp filter the rows returned

Example

Query
query ReservationStatusType(
  $distinct_on: [ReservationStatusType_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [ReservationStatusType_order_by!],
  $where: ReservationStatusType_bool_exp
) {
  ReservationStatusType(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    description
    name
  }
}
Variables
{
  "distinct_on": ["description"],
  "limit": 987,
  "offset": 987,
  "order_by": [ReservationStatusType_order_by],
  "where": ReservationStatusType_bool_exp
}
Response
{
  "data": {
    "ReservationStatusType": [
      {
        "description": "abc123",
        "name": "xyz789"
      }
    ]
  }
}

ReservationStatusType_by_pk

Description

fetch data from the table: "ReservationStatusType" using primary key columns

Response

Returns a ReservationStatusType

Arguments
Name Description
name - String!

Example

Query
query ReservationStatusType_by_pk($name: String!) {
  ReservationStatusType_by_pk(name: $name) {
    description
    name
  }
}
Variables
{"name": "abc123"}
Response
{
  "data": {
    "ReservationStatusType_by_pk": {
      "description": "abc123",
      "name": "xyz789"
    }
  }
}

ScheduleIdentifier

ScheduleIdentifier

Description

fetch data from the table: "ScheduleIdentifier"

Response

Returns [ScheduleIdentifier!]!

Arguments
Name Description
distinct_on - [ScheduleIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [ScheduleIdentifier_order_by!] sort the rows by one or more columns
where - ScheduleIdentifier_bool_exp filter the rows returned

Example

Query
query ScheduleIdentifier(
  $distinct_on: [ScheduleIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [ScheduleIdentifier_order_by!],
  $where: ScheduleIdentifier_bool_exp
) {
  ScheduleIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    id
    name
    scheduleId
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["id"],
  "limit": 123,
  "offset": 123,
  "order_by": [ScheduleIdentifier_order_by],
  "where": ScheduleIdentifier_bool_exp
}
Response
{
  "data": {
    "ScheduleIdentifier": [
      {
        "id": uuid,
        "name": "xyz789",
        "scheduleId": uuid,
        "value": "xyz789",
        "valueReference": "abc123"
      }
    ]
  }
}

ScheduleIdentifier_by_pk

Description

fetch data from the table: "ScheduleIdentifier" using primary key columns

Response

Returns a ScheduleIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query ScheduleIdentifier_by_pk($id: uuid!) {
  ScheduleIdentifier_by_pk(id: $id) {
    id
    name
    scheduleId
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "ScheduleIdentifier_by_pk": {
      "id": uuid,
      "name": "xyz789",
      "scheduleId": uuid,
      "value": "abc123",
      "valueReference": "xyz789"
    }
  }
}

ServiceChannelIdentifier

ServiceChannelIdentifier

Description

fetch data from the table: "ServiceChannelIdentifier"

Response

Returns [ServiceChannelIdentifier!]!

Arguments
Name Description
distinct_on - [ServiceChannelIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [ServiceChannelIdentifier_order_by!] sort the rows by one or more columns
where - ServiceChannelIdentifier_bool_exp filter the rows returned

Example

Query
query ServiceChannelIdentifier(
  $distinct_on: [ServiceChannelIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [ServiceChannelIdentifier_order_by!],
  $where: ServiceChannelIdentifier_bool_exp
) {
  ServiceChannelIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    id
    name
    serviceChannelId
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["id"],
  "limit": 987,
  "offset": 123,
  "order_by": [ServiceChannelIdentifier_order_by],
  "where": ServiceChannelIdentifier_bool_exp
}
Response
{
  "data": {
    "ServiceChannelIdentifier": [
      {
        "id": uuid,
        "name": "xyz789",
        "serviceChannelId": uuid,
        "value": "abc123",
        "valueReference": "xyz789"
      }
    ]
  }
}

ServiceChannelIdentifier_by_pk

Description

fetch data from the table: "ServiceChannelIdentifier" using primary key columns

Response

Returns a ServiceChannelIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query ServiceChannelIdentifier_by_pk($id: uuid!) {
  ServiceChannelIdentifier_by_pk(id: $id) {
    id
    name
    serviceChannelId
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "ServiceChannelIdentifier_by_pk": {
      "id": uuid,
      "name": "abc123",
      "serviceChannelId": uuid,
      "value": "xyz789",
      "valueReference": "xyz789"
    }
  }
}

SizeGroupEnumerationIdentifier

SizeGroupEnumerationIdentifier

Description

fetch data from the table: "SizeGroupEnumerationIdentifier"

Arguments
Name Description
distinct_on - [SizeGroupEnumerationIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [SizeGroupEnumerationIdentifier_order_by!] sort the rows by one or more columns
where - SizeGroupEnumerationIdentifier_bool_exp filter the rows returned

Example

Query
query SizeGroupEnumerationIdentifier(
  $distinct_on: [SizeGroupEnumerationIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [SizeGroupEnumerationIdentifier_order_by!],
  $where: SizeGroupEnumerationIdentifier_bool_exp
) {
  SizeGroupEnumerationIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    id
    name
    sizeGroupEnumerationId
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["id"],
  "limit": 123,
  "offset": 987,
  "order_by": [SizeGroupEnumerationIdentifier_order_by],
  "where": SizeGroupEnumerationIdentifier_bool_exp
}
Response
{
  "data": {
    "SizeGroupEnumerationIdentifier": [
      {
        "id": uuid,
        "name": "abc123",
        "sizeGroupEnumerationId": uuid,
        "value": "xyz789",
        "valueReference": "xyz789"
      }
    ]
  }
}

SizeGroupEnumerationIdentifier_by_pk

Description

fetch data from the table: "SizeGroupEnumerationIdentifier" using primary key columns

Response

Returns a SizeGroupEnumerationIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query SizeGroupEnumerationIdentifier_by_pk($id: uuid!) {
  SizeGroupEnumerationIdentifier_by_pk(id: $id) {
    id
    name
    sizeGroupEnumerationId
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "SizeGroupEnumerationIdentifier_by_pk": {
      "id": uuid,
      "name": "abc123",
      "sizeGroupEnumerationId": uuid,
      "value": "abc123",
      "valueReference": "abc123"
    }
  }
}

Ticket

Ticket

Description

fetch data from the table: "Ticket"

Response

Returns [Ticket!]!

Arguments
Name Description
distinct_on - [Ticket_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [Ticket_order_by!] sort the rows by one or more columns
where - Ticket_bool_exp filter the rows returned

Example

Query
query Ticket(
  $distinct_on: [Ticket_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [Ticket_order_by!],
  $where: Ticket_bool_exp
) {
  Ticket(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    dateIssued
    id
    identifier {
      id
      name
      ticket {
        ...TicketFragment
      }
      ticketId
      value
      valueReference
    }
    isPartOfReservation {
      bookingTime
      broker {
        ...OrganizationFragment
      }
      brokerId
      id
      identifier {
        ...ReservationIdentifierFragment
      }
      modifiedTime
      orderId
      partOfOrder {
        ...OrderFragment
      }
      priceCurrency
      programMembershipUsed {
        ...ProgramMembershipFragment
      }
      programMembershipUsedId
      provider {
        ...OrganizationFragment
      }
      providerId
      reservationFor {
        ...EntryFragment
      }
      reservationForId
      reservationId
      reservationStatus {
        ...ReservationStatusTypeFragment
      }
      reservationStatusTypeName
      reservedTicket {
        ...TicketFragment
      }
      totalPrice
      underName {
        ...PersonFragment
      }
      underNameId
    }
    isPartOfReservationId
    issuedBy {
      address {
        ...PostalAddressFragment
      }
      affiliated {
        ...PersonFragment
      }
      alternateName
      id
      identifier {
        ...OrganizationIdentifierFragment
      }
      invoice_broker {
        ...InvoiceFragment
      }
      invoice_provider {
        ...InvoiceFragment
      }
      location {
        ...PlaceFragment
      }
      locationId
      name
      order_broker {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation_broker {
        ...ReservationFragment
      }
      reservation_proivider {
        ...ReservationFragment
      }
      seller {
        ...OrderFragment
      }
      ticket {
        ...TicketFragment
      }
      url
    }
    issuedById
    priceCurrency
    ticketNumber
    ticketToken
    totalPrice
    underName {
      address {
        ...PostalAddressFragment
      }
      affiliation {
        ...OrganizationFragment
      }
      affiliationId
      birthDate
      dateCreated
      dateModified
      email
      familyName
      givenName
      homeLocation {
        ...PostalAddressFragment
      }
      homeLocationId
      honorificPrefix
      honorificSuffix
      id
      identifier {
        ...PersonIdentifierFragment
      }
      invoice {
        ...InvoiceFragment
      }
      nationality {
        ...CountryFragment
      }
      nationalityId
      order {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation {
        ...ReservationFragment
      }
      reservedTicket {
        ...TicketFragment
      }
      telephone
    }
    underNameId
  }
}
Variables
{
  "distinct_on": ["dateIssued"],
  "limit": 123,
  "offset": 123,
  "order_by": [Ticket_order_by],
  "where": Ticket_bool_exp
}
Response
{
  "data": {
    "Ticket": [
      {
        "dateIssued": timestamp,
        "id": uuid,
        "identifier": [TicketIdentifier],
        "isPartOfReservation": Reservation,
        "isPartOfReservationId": uuid,
        "issuedBy": Organization,
        "issuedById": uuid,
        "priceCurrency": "xyz789",
        "ticketNumber": "abc123",
        "ticketToken": "xyz789",
        "totalPrice": numeric,
        "underName": Person,
        "underNameId": uuid
      }
    ]
  }
}

Ticket_by_pk

Description

fetch data from the table: "Ticket" using primary key columns

Response

Returns a Ticket

Arguments
Name Description
id - uuid!

Example

Query
query Ticket_by_pk($id: uuid!) {
  Ticket_by_pk(id: $id) {
    dateIssued
    id
    identifier {
      id
      name
      ticket {
        ...TicketFragment
      }
      ticketId
      value
      valueReference
    }
    isPartOfReservation {
      bookingTime
      broker {
        ...OrganizationFragment
      }
      brokerId
      id
      identifier {
        ...ReservationIdentifierFragment
      }
      modifiedTime
      orderId
      partOfOrder {
        ...OrderFragment
      }
      priceCurrency
      programMembershipUsed {
        ...ProgramMembershipFragment
      }
      programMembershipUsedId
      provider {
        ...OrganizationFragment
      }
      providerId
      reservationFor {
        ...EntryFragment
      }
      reservationForId
      reservationId
      reservationStatus {
        ...ReservationStatusTypeFragment
      }
      reservationStatusTypeName
      reservedTicket {
        ...TicketFragment
      }
      totalPrice
      underName {
        ...PersonFragment
      }
      underNameId
    }
    isPartOfReservationId
    issuedBy {
      address {
        ...PostalAddressFragment
      }
      affiliated {
        ...PersonFragment
      }
      alternateName
      id
      identifier {
        ...OrganizationIdentifierFragment
      }
      invoice_broker {
        ...InvoiceFragment
      }
      invoice_provider {
        ...InvoiceFragment
      }
      location {
        ...PlaceFragment
      }
      locationId
      name
      order_broker {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation_broker {
        ...ReservationFragment
      }
      reservation_proivider {
        ...ReservationFragment
      }
      seller {
        ...OrderFragment
      }
      ticket {
        ...TicketFragment
      }
      url
    }
    issuedById
    priceCurrency
    ticketNumber
    ticketToken
    totalPrice
    underName {
      address {
        ...PostalAddressFragment
      }
      affiliation {
        ...OrganizationFragment
      }
      affiliationId
      birthDate
      dateCreated
      dateModified
      email
      familyName
      givenName
      homeLocation {
        ...PostalAddressFragment
      }
      homeLocationId
      honorificPrefix
      honorificSuffix
      id
      identifier {
        ...PersonIdentifierFragment
      }
      invoice {
        ...InvoiceFragment
      }
      nationality {
        ...CountryFragment
      }
      nationalityId
      order {
        ...OrderFragment
      }
      programMembership {
        ...ProgramMembershipFragment
      }
      reservation {
        ...ReservationFragment
      }
      reservedTicket {
        ...TicketFragment
      }
      telephone
    }
    underNameId
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "Ticket_by_pk": {
      "dateIssued": timestamp,
      "id": uuid,
      "identifier": [TicketIdentifier],
      "isPartOfReservation": Reservation,
      "isPartOfReservationId": uuid,
      "issuedBy": Organization,
      "issuedById": uuid,
      "priceCurrency": "xyz789",
      "ticketNumber": "xyz789",
      "ticketToken": "abc123",
      "totalPrice": numeric,
      "underName": Person,
      "underNameId": uuid
    }
  }
}

TicketIdentifier

TicketIdentifier

Description

fetch data from the table: "TicketIdentifier"

Response

Returns [TicketIdentifier!]!

Arguments
Name Description
distinct_on - [TicketIdentifier_select_column!] distinct select on columns
limit - Int limit the number of rows returned
offset - Int skip the first n rows. Use only with order_by
order_by - [TicketIdentifier_order_by!] sort the rows by one or more columns
where - TicketIdentifier_bool_exp filter the rows returned

Example

Query
query TicketIdentifier(
  $distinct_on: [TicketIdentifier_select_column!],
  $limit: Int,
  $offset: Int,
  $order_by: [TicketIdentifier_order_by!],
  $where: TicketIdentifier_bool_exp
) {
  TicketIdentifier(
    distinct_on: $distinct_on,
    limit: $limit,
    offset: $offset,
    order_by: $order_by,
    where: $where
  ) {
    id
    name
    ticket {
      dateIssued
      id
      identifier {
        ...TicketIdentifierFragment
      }
      isPartOfReservation {
        ...ReservationFragment
      }
      isPartOfReservationId
      issuedBy {
        ...OrganizationFragment
      }
      issuedById
      priceCurrency
      ticketNumber
      ticketToken
      totalPrice
      underName {
        ...PersonFragment
      }
      underNameId
    }
    ticketId
    value
    valueReference
  }
}
Variables
{
  "distinct_on": ["id"],
  "limit": 123,
  "offset": 123,
  "order_by": [TicketIdentifier_order_by],
  "where": TicketIdentifier_bool_exp
}
Response
{
  "data": {
    "TicketIdentifier": [
      {
        "id": uuid,
        "name": "xyz789",
        "ticket": Ticket,
        "ticketId": uuid,
        "value": "abc123",
        "valueReference": "xyz789"
      }
    ]
  }
}

TicketIdentifier_by_pk

Description

fetch data from the table: "TicketIdentifier" using primary key columns

Response

Returns a TicketIdentifier

Arguments
Name Description
id - uuid!

Example

Query
query TicketIdentifier_by_pk($id: uuid!) {
  TicketIdentifier_by_pk(id: $id) {
    id
    name
    ticket {
      dateIssued
      id
      identifier {
        ...TicketIdentifierFragment
      }
      isPartOfReservation {
        ...ReservationFragment
      }
      isPartOfReservationId
      issuedBy {
        ...OrganizationFragment
      }
      issuedById
      priceCurrency
      ticketNumber
      ticketToken
      totalPrice
      underName {
        ...PersonFragment
      }
      underNameId
    }
    ticketId
    value
    valueReference
  }
}
Variables
{"id": uuid}
Response
{
  "data": {
    "TicketIdentifier_by_pk": {
      "id": uuid,
      "name": "abc123",
      "ticket": Ticket,
      "ticketId": uuid,
      "value": "abc123",
      "valueReference": "abc123"
    }
  }
}

UserActivity

UserActivity

Response

Returns [UserActivity!]!

Arguments
Name Description
filter - UserActivity_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query UserActivity(
  $filter: UserActivity_filter,
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  UserActivity(
    filter: $filter,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    action
    actionTime
    actionTime_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    actionTrigger
    applet {
      animationType
      appletType
      bottomDock
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      hasMediaObject {
        ...MediaObject_AppletFragment
      }
      hasMediaObject_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      label
      name
      pinnedMediaObject {
        ...PinnedMediaObjectFragment
      }
      pinnedMediaObject_func {
        ...count_functionsFragment
      }
      portraitOrientation
      position
      scrambled
      sort
      status
      url
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userAppletState {
        ...UserAppletStateFragment
      }
      userAppletState_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
      visible
    }
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    id
    mediaObject {
      additionalType
      applet {
        ...MediaObject_AppletFragment
      }
      applet_func {
        ...count_functionsFragment
      }
      articleBody
      assetId
      audio {
        ...directus_filesFragment
      }
      contentUrl
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasCharacter {
        ...Character_MediaObjectFragment
      }
      hasCharacter_func {
        ...count_functionsFragment
      }
      hasPin {
        ...PinnedMediaObjectFragment
      }
      hasPin_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      isPartOfCollection {
        ...CollectionFragment
      }
      isPartOfExhibition {
        ...MediaObject_ExhibitionFragment
      }
      isPartOfExhibition_func {
        ...count_functionsFragment
      }
      isPartOfNarrativePlace {
        ...NarrativePlace_MediaObjectFragment
      }
      isPartOfNarrativePlace_func {
        ...count_functionsFragment
      }
      keyword {
        ...Keyword_MediaObjectFragment
      }
      keyword_func {
        ...count_functionsFragment
      }
      mediaRelationship {
        ...MediaRelationshipFragment
      }
      mediaRelationship_func {
        ...count_functionsFragment
      }
      messageBody
      name
      page {
        ...MediaObject_filesFragment
      }
      page_func {
        ...count_functionsFragment
      }
      playerType
      sort
      status
      thumbnail {
        ...directus_filesFragment
      }
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    sort
    status
    user {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      id
      role {
        ...WormholeUser_WormholeRoleFragment
      }
      role_func {
        ...count_functionsFragment
      }
      sort
      status
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userAppletState {
        ...UserAppletStateFragment
      }
      userAppletState_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      userUnlockState {
        ...UserUnlockStateFragment
      }
      userUnlockState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
      username
      wormholeId
    }
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{
  "filter": UserActivity_filter,
  "limit": 987,
  "offset": 987,
  "page": 987,
  "search": "abc123",
  "sort": ["xyz789"]
}
Response
{
  "data": {
    "UserActivity": [
      {
        "action": "abc123",
        "actionTime": "2007-12-03",
        "actionTime_func": datetime_functions,
        "actionTrigger": "abc123",
        "applet": Applet,
        "date_created": "2007-12-03",
        "date_created_func": datetime_functions,
        "date_updated": "2007-12-03",
        "date_updated_func": datetime_functions,
        "id": 4,
        "mediaObject": MediaObject,
        "sort": 987,
        "status": "xyz789",
        "user": WormholeUser,
        "user_created": directus_users,
        "user_updated": directus_users
      }
    ]
  }
}

UserActivity_aggregated

Response

Returns [UserActivity_aggregated!]!

Arguments
Name Description
filter - UserActivity_filter
groupBy - [String]
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query UserActivity_aggregated(
  $filter: UserActivity_filter,
  $groupBy: [String],
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  UserActivity_aggregated(
    filter: $filter,
    groupBy: $groupBy,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    avg {
      sort
    }
    avgDistinct {
      sort
    }
    count {
      action
      actionTime
      actionTrigger
      applet
      date_created
      date_updated
      id
      mediaObject
      sort
      status
      user
      user_created
      user_updated
    }
    countAll
    countDistinct {
      action
      actionTime
      actionTrigger
      applet
      date_created
      date_updated
      id
      mediaObject
      sort
      status
      user
      user_created
      user_updated
    }
    group
    max {
      sort
    }
    min {
      sort
    }
    sum {
      sort
    }
    sumDistinct {
      sort
    }
  }
}
Variables
{
  "filter": UserActivity_filter,
  "groupBy": ["xyz789"],
  "limit": 987,
  "offset": 123,
  "page": 123,
  "search": "abc123",
  "sort": ["xyz789"]
}
Response
{
  "data": {
    "UserActivity_aggregated": [
      {
        "avg": UserActivity_aggregated_fields,
        "avgDistinct": UserActivity_aggregated_fields,
        "count": UserActivity_aggregated_count,
        "countAll": 987,
        "countDistinct": UserActivity_aggregated_count,
        "group": {},
        "max": UserActivity_aggregated_fields,
        "min": UserActivity_aggregated_fields,
        "sum": UserActivity_aggregated_fields,
        "sumDistinct": UserActivity_aggregated_fields
      }
    ]
  }
}

UserActivity_by_id

Response

Returns a UserActivity

Arguments
Name Description
id - ID!

Example

Query
query UserActivity_by_id($id: ID!) {
  UserActivity_by_id(id: $id) {
    action
    actionTime
    actionTime_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    actionTrigger
    applet {
      animationType
      appletType
      bottomDock
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      hasMediaObject {
        ...MediaObject_AppletFragment
      }
      hasMediaObject_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      label
      name
      pinnedMediaObject {
        ...PinnedMediaObjectFragment
      }
      pinnedMediaObject_func {
        ...count_functionsFragment
      }
      portraitOrientation
      position
      scrambled
      sort
      status
      url
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userAppletState {
        ...UserAppletStateFragment
      }
      userAppletState_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
      visible
    }
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    id
    mediaObject {
      additionalType
      applet {
        ...MediaObject_AppletFragment
      }
      applet_func {
        ...count_functionsFragment
      }
      articleBody
      assetId
      audio {
        ...directus_filesFragment
      }
      contentUrl
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasCharacter {
        ...Character_MediaObjectFragment
      }
      hasCharacter_func {
        ...count_functionsFragment
      }
      hasPin {
        ...PinnedMediaObjectFragment
      }
      hasPin_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      isPartOfCollection {
        ...CollectionFragment
      }
      isPartOfExhibition {
        ...MediaObject_ExhibitionFragment
      }
      isPartOfExhibition_func {
        ...count_functionsFragment
      }
      isPartOfNarrativePlace {
        ...NarrativePlace_MediaObjectFragment
      }
      isPartOfNarrativePlace_func {
        ...count_functionsFragment
      }
      keyword {
        ...Keyword_MediaObjectFragment
      }
      keyword_func {
        ...count_functionsFragment
      }
      mediaRelationship {
        ...MediaRelationshipFragment
      }
      mediaRelationship_func {
        ...count_functionsFragment
      }
      messageBody
      name
      page {
        ...MediaObject_filesFragment
      }
      page_func {
        ...count_functionsFragment
      }
      playerType
      sort
      status
      thumbnail {
        ...directus_filesFragment
      }
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    sort
    status
    user {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      id
      role {
        ...WormholeUser_WormholeRoleFragment
      }
      role_func {
        ...count_functionsFragment
      }
      sort
      status
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userAppletState {
        ...UserAppletStateFragment
      }
      userAppletState_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      userUnlockState {
        ...UserUnlockStateFragment
      }
      userUnlockState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
      username
      wormholeId
    }
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{"id": 4}
Response
{
  "data": {
    "UserActivity_by_id": {
      "action": "abc123",
      "actionTime": "2007-12-03",
      "actionTime_func": datetime_functions,
      "actionTrigger": "abc123",
      "applet": Applet,
      "date_created": "2007-12-03",
      "date_created_func": datetime_functions,
      "date_updated": "2007-12-03",
      "date_updated_func": datetime_functions,
      "id": "4",
      "mediaObject": MediaObject,
      "sort": 987,
      "status": "abc123",
      "user": WormholeUser,
      "user_created": directus_users,
      "user_updated": directus_users
    }
  }
}

UserAppletState

UserAppletState

Response

Returns [UserAppletState!]!

Arguments
Name Description
filter - UserAppletState_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query UserAppletState(
  $filter: UserAppletState_filter,
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  UserAppletState(
    filter: $filter,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    applet {
      animationType
      appletType
      bottomDock
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      hasMediaObject {
        ...MediaObject_AppletFragment
      }
      hasMediaObject_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      label
      name
      pinnedMediaObject {
        ...PinnedMediaObjectFragment
      }
      pinnedMediaObject_func {
        ...count_functionsFragment
      }
      portraitOrientation
      position
      scrambled
      sort
      status
      url
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userAppletState {
        ...UserAppletStateFragment
      }
      userAppletState_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
      visible
    }
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    firstOpenDate
    firstOpenDate_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    id
    lastOpenDate
    lastOpenDate_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    sort
    status
    user {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      id
      role {
        ...WormholeUser_WormholeRoleFragment
      }
      role_func {
        ...count_functionsFragment
      }
      sort
      status
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userAppletState {
        ...UserAppletStateFragment
      }
      userAppletState_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      userUnlockState {
        ...UserUnlockStateFragment
      }
      userUnlockState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
      username
      wormholeId
    }
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{
  "filter": UserAppletState_filter,
  "limit": 987,
  "offset": 987,
  "page": 123,
  "search": "xyz789",
  "sort": ["xyz789"]
}
Response
{
  "data": {
    "UserAppletState": [
      {
        "applet": Applet,
        "date_created": "2007-12-03",
        "date_created_func": datetime_functions,
        "date_updated": "2007-12-03",
        "date_updated_func": datetime_functions,
        "firstOpenDate": "2007-12-03",
        "firstOpenDate_func": datetime_functions,
        "id": "4",
        "lastOpenDate": "2007-12-03",
        "lastOpenDate_func": datetime_functions,
        "sort": 123,
        "status": "xyz789",
        "user": WormholeUser,
        "user_created": directus_users,
        "user_updated": directus_users
      }
    ]
  }
}

UserAppletState_aggregated

Arguments
Name Description
filter - UserAppletState_filter
groupBy - [String]
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query UserAppletState_aggregated(
  $filter: UserAppletState_filter,
  $groupBy: [String],
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  UserAppletState_aggregated(
    filter: $filter,
    groupBy: $groupBy,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    avg {
      sort
    }
    avgDistinct {
      sort
    }
    count {
      applet
      date_created
      date_updated
      firstOpenDate
      id
      lastOpenDate
      sort
      status
      user
      user_created
      user_updated
    }
    countAll
    countDistinct {
      applet
      date_created
      date_updated
      firstOpenDate
      id
      lastOpenDate
      sort
      status
      user
      user_created
      user_updated
    }
    group
    max {
      sort
    }
    min {
      sort
    }
    sum {
      sort
    }
    sumDistinct {
      sort
    }
  }
}
Variables
{
  "filter": UserAppletState_filter,
  "groupBy": ["abc123"],
  "limit": 123,
  "offset": 123,
  "page": 987,
  "search": "abc123",
  "sort": ["abc123"]
}
Response
{
  "data": {
    "UserAppletState_aggregated": [
      {
        "avg": UserAppletState_aggregated_fields,
        "avgDistinct": UserAppletState_aggregated_fields,
        "count": UserAppletState_aggregated_count,
        "countAll": 123,
        "countDistinct": UserAppletState_aggregated_count,
        "group": {},
        "max": UserAppletState_aggregated_fields,
        "min": UserAppletState_aggregated_fields,
        "sum": UserAppletState_aggregated_fields,
        "sumDistinct": UserAppletState_aggregated_fields
      }
    ]
  }
}

UserAppletState_by_id

Response

Returns a UserAppletState

Arguments
Name Description
id - ID!

Example

Query
query UserAppletState_by_id($id: ID!) {
  UserAppletState_by_id(id: $id) {
    applet {
      animationType
      appletType
      bottomDock
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      hasMediaObject {
        ...MediaObject_AppletFragment
      }
      hasMediaObject_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      label
      name
      pinnedMediaObject {
        ...PinnedMediaObjectFragment
      }
      pinnedMediaObject_func {
        ...count_functionsFragment
      }
      portraitOrientation
      position
      scrambled
      sort
      status
      url
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userAppletState {
        ...UserAppletStateFragment
      }
      userAppletState_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
      visible
    }
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    firstOpenDate
    firstOpenDate_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    id
    lastOpenDate
    lastOpenDate_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    sort
    status
    user {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      id
      role {
        ...WormholeUser_WormholeRoleFragment
      }
      role_func {
        ...count_functionsFragment
      }
      sort
      status
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userAppletState {
        ...UserAppletStateFragment
      }
      userAppletState_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      userUnlockState {
        ...UserUnlockStateFragment
      }
      userUnlockState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
      username
      wormholeId
    }
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{"id": "4"}
Response
{
  "data": {
    "UserAppletState_by_id": {
      "applet": Applet,
      "date_created": "2007-12-03",
      "date_created_func": datetime_functions,
      "date_updated": "2007-12-03",
      "date_updated_func": datetime_functions,
      "firstOpenDate": "2007-12-03",
      "firstOpenDate_func": datetime_functions,
      "id": "4",
      "lastOpenDate": "2007-12-03",
      "lastOpenDate_func": datetime_functions,
      "sort": 987,
      "status": "abc123",
      "user": WormholeUser,
      "user_created": directus_users,
      "user_updated": directus_users
    }
  }
}

UserMediaState

UserMediaState

Response

Returns [UserMediaState!]!

Arguments
Name Description
filter - UserMediaState_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query UserMediaState(
  $filter: UserMediaState_filter,
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  UserMediaState(
    filter: $filter,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    applet {
      animationType
      appletType
      bottomDock
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      hasMediaObject {
        ...MediaObject_AppletFragment
      }
      hasMediaObject_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      label
      name
      pinnedMediaObject {
        ...PinnedMediaObjectFragment
      }
      pinnedMediaObject_func {
        ...count_functionsFragment
      }
      portraitOrientation
      position
      scrambled
      sort
      status
      url
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userAppletState {
        ...UserAppletStateFragment
      }
      userAppletState_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
      visible
    }
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    favorite
    firstOpenDate
    firstOpenDate_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    id
    lastOpenDate
    lastOpenDate_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    mediaObject {
      additionalType
      applet {
        ...MediaObject_AppletFragment
      }
      applet_func {
        ...count_functionsFragment
      }
      articleBody
      assetId
      audio {
        ...directus_filesFragment
      }
      contentUrl
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasCharacter {
        ...Character_MediaObjectFragment
      }
      hasCharacter_func {
        ...count_functionsFragment
      }
      hasPin {
        ...PinnedMediaObjectFragment
      }
      hasPin_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      isPartOfCollection {
        ...CollectionFragment
      }
      isPartOfExhibition {
        ...MediaObject_ExhibitionFragment
      }
      isPartOfExhibition_func {
        ...count_functionsFragment
      }
      isPartOfNarrativePlace {
        ...NarrativePlace_MediaObjectFragment
      }
      isPartOfNarrativePlace_func {
        ...count_functionsFragment
      }
      keyword {
        ...Keyword_MediaObjectFragment
      }
      keyword_func {
        ...count_functionsFragment
      }
      mediaRelationship {
        ...MediaRelationshipFragment
      }
      mediaRelationship_func {
        ...count_functionsFragment
      }
      messageBody
      name
      page {
        ...MediaObject_filesFragment
      }
      page_func {
        ...count_functionsFragment
      }
      playerType
      sort
      status
      thumbnail {
        ...directus_filesFragment
      }
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    progressRate
    sort
    status
    user {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      id
      role {
        ...WormholeUser_WormholeRoleFragment
      }
      role_func {
        ...count_functionsFragment
      }
      sort
      status
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userAppletState {
        ...UserAppletStateFragment
      }
      userAppletState_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      userUnlockState {
        ...UserUnlockStateFragment
      }
      userUnlockState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
      username
      wormholeId
    }
    userInteractionCount
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{
  "filter": UserMediaState_filter,
  "limit": 987,
  "offset": 987,
  "page": 987,
  "search": "xyz789",
  "sort": ["abc123"]
}
Response
{
  "data": {
    "UserMediaState": [
      {
        "applet": Applet,
        "date_created": "2007-12-03",
        "date_created_func": datetime_functions,
        "date_updated": "2007-12-03",
        "date_updated_func": datetime_functions,
        "favorite": false,
        "firstOpenDate": "2007-12-03",
        "firstOpenDate_func": datetime_functions,
        "id": "4",
        "lastOpenDate": "2007-12-03",
        "lastOpenDate_func": datetime_functions,
        "mediaObject": MediaObject,
        "progressRate": 123.45,
        "sort": 123,
        "status": "abc123",
        "user": WormholeUser,
        "userInteractionCount": 987,
        "user_created": directus_users,
        "user_updated": directus_users
      }
    ]
  }
}

UserMediaState_aggregated

Arguments
Name Description
filter - UserMediaState_filter
groupBy - [String]
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query UserMediaState_aggregated(
  $filter: UserMediaState_filter,
  $groupBy: [String],
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  UserMediaState_aggregated(
    filter: $filter,
    groupBy: $groupBy,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    avg {
      progressRate
      sort
      userInteractionCount
    }
    avgDistinct {
      progressRate
      sort
      userInteractionCount
    }
    count {
      applet
      date_created
      date_updated
      favorite
      firstOpenDate
      id
      lastOpenDate
      mediaObject
      progressRate
      sort
      status
      user
      userInteractionCount
      user_created
      user_updated
    }
    countAll
    countDistinct {
      applet
      date_created
      date_updated
      favorite
      firstOpenDate
      id
      lastOpenDate
      mediaObject
      progressRate
      sort
      status
      user
      userInteractionCount
      user_created
      user_updated
    }
    group
    max {
      progressRate
      sort
      userInteractionCount
    }
    min {
      progressRate
      sort
      userInteractionCount
    }
    sum {
      progressRate
      sort
      userInteractionCount
    }
    sumDistinct {
      progressRate
      sort
      userInteractionCount
    }
  }
}
Variables
{
  "filter": UserMediaState_filter,
  "groupBy": ["abc123"],
  "limit": 123,
  "offset": 123,
  "page": 987,
  "search": "xyz789",
  "sort": ["xyz789"]
}
Response
{
  "data": {
    "UserMediaState_aggregated": [
      {
        "avg": UserMediaState_aggregated_fields,
        "avgDistinct": UserMediaState_aggregated_fields,
        "count": UserMediaState_aggregated_count,
        "countAll": 123,
        "countDistinct": UserMediaState_aggregated_count,
        "group": {},
        "max": UserMediaState_aggregated_fields,
        "min": UserMediaState_aggregated_fields,
        "sum": UserMediaState_aggregated_fields,
        "sumDistinct": UserMediaState_aggregated_fields
      }
    ]
  }
}

UserMediaState_by_id

Response

Returns a UserMediaState

Arguments
Name Description
id - ID!

Example

Query
query UserMediaState_by_id($id: ID!) {
  UserMediaState_by_id(id: $id) {
    applet {
      animationType
      appletType
      bottomDock
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      hasMediaObject {
        ...MediaObject_AppletFragment
      }
      hasMediaObject_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      label
      name
      pinnedMediaObject {
        ...PinnedMediaObjectFragment
      }
      pinnedMediaObject_func {
        ...count_functionsFragment
      }
      portraitOrientation
      position
      scrambled
      sort
      status
      url
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userAppletState {
        ...UserAppletStateFragment
      }
      userAppletState_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
      visible
    }
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    favorite
    firstOpenDate
    firstOpenDate_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    id
    lastOpenDate
    lastOpenDate_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    mediaObject {
      additionalType
      applet {
        ...MediaObject_AppletFragment
      }
      applet_func {
        ...count_functionsFragment
      }
      articleBody
      assetId
      audio {
        ...directus_filesFragment
      }
      contentUrl
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasCharacter {
        ...Character_MediaObjectFragment
      }
      hasCharacter_func {
        ...count_functionsFragment
      }
      hasPin {
        ...PinnedMediaObjectFragment
      }
      hasPin_func {
        ...count_functionsFragment
      }
      id
      image {
        ...directus_filesFragment
      }
      isPartOfCollection {
        ...CollectionFragment
      }
      isPartOfExhibition {
        ...MediaObject_ExhibitionFragment
      }
      isPartOfExhibition_func {
        ...count_functionsFragment
      }
      isPartOfNarrativePlace {
        ...NarrativePlace_MediaObjectFragment
      }
      isPartOfNarrativePlace_func {
        ...count_functionsFragment
      }
      keyword {
        ...Keyword_MediaObjectFragment
      }
      keyword_func {
        ...count_functionsFragment
      }
      mediaRelationship {
        ...MediaRelationshipFragment
      }
      mediaRelationship_func {
        ...count_functionsFragment
      }
      messageBody
      name
      page {
        ...MediaObject_filesFragment
      }
      page_func {
        ...count_functionsFragment
      }
      playerType
      sort
      status
      thumbnail {
        ...directus_filesFragment
      }
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    progressRate
    sort
    status
    user {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      id
      role {
        ...WormholeUser_WormholeRoleFragment
      }
      role_func {
        ...count_functionsFragment
      }
      sort
      status
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userAppletState {
        ...UserAppletStateFragment
      }
      userAppletState_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      userUnlockState {
        ...UserUnlockStateFragment
      }
      userUnlockState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
      username
      wormholeId
    }
    userInteractionCount
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{"id": 4}
Response
{
  "data": {
    "UserMediaState_by_id": {
      "applet": Applet,
      "date_created": "2007-12-03",
      "date_created_func": datetime_functions,
      "date_updated": "2007-12-03",
      "date_updated_func": datetime_functions,
      "favorite": false,
      "firstOpenDate": "2007-12-03",
      "firstOpenDate_func": datetime_functions,
      "id": "4",
      "lastOpenDate": "2007-12-03",
      "lastOpenDate_func": datetime_functions,
      "mediaObject": MediaObject,
      "progressRate": 987.65,
      "sort": 987,
      "status": "abc123",
      "user": WormholeUser,
      "userInteractionCount": 987,
      "user_created": directus_users,
      "user_updated": directus_users
    }
  }
}

UserUnlockState

UserUnlockState

Response

Returns [UserUnlockState!]!

Arguments
Name Description
filter - UserUnlockState_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query UserUnlockState(
  $filter: UserUnlockState_filter,
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  UserUnlockState(
    filter: $filter,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    collection {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasMediaObject {
        ...MediaObjectFragment
      }
      hasMediaObject_func {
        ...count_functionsFragment
      }
      id
      isDeliveredByBeaconGroup {
        ...BeaconGroupFragment
      }
      isPartOfCollectionGroup {
        ...CollectionGroupFragment
      }
      lockedImage {
        ...directus_filesFragment
      }
      name
      pushNotification {
        ...PushNotificationFragment
      }
      pushNotification_func {
        ...count_functionsFragment
      }
      sort
      status
      unlockedImage {
        ...directus_filesFragment
      }
      userUnlockState {
        ...UserUnlockStateFragment
      }
      userUnlockState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    id
    sort
    status
    unlockStatus
    unlockedTime
    unlockedTime_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    user {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      id
      role {
        ...WormholeUser_WormholeRoleFragment
      }
      role_func {
        ...count_functionsFragment
      }
      sort
      status
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userAppletState {
        ...UserAppletStateFragment
      }
      userAppletState_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      userUnlockState {
        ...UserUnlockStateFragment
      }
      userUnlockState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
      username
      wormholeId
    }
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{
  "filter": UserUnlockState_filter,
  "limit": 123,
  "offset": 987,
  "page": 987,
  "search": "xyz789",
  "sort": ["xyz789"]
}
Response
{
  "data": {
    "UserUnlockState": [
      {
        "collection": Collection,
        "date_created": "2007-12-03",
        "date_created_func": datetime_functions,
        "date_updated": "2007-12-03",
        "date_updated_func": datetime_functions,
        "id": 4,
        "sort": 987,
        "status": "xyz789",
        "unlockStatus": "xyz789",
        "unlockedTime": "2007-12-03",
        "unlockedTime_func": datetime_functions,
        "user": WormholeUser,
        "user_created": directus_users,
        "user_updated": directus_users
      }
    ]
  }
}

UserUnlockState_aggregated

Arguments
Name Description
filter - UserUnlockState_filter
groupBy - [String]
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query UserUnlockState_aggregated(
  $filter: UserUnlockState_filter,
  $groupBy: [String],
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  UserUnlockState_aggregated(
    filter: $filter,
    groupBy: $groupBy,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    avg {
      sort
    }
    avgDistinct {
      sort
    }
    count {
      collection
      date_created
      date_updated
      id
      sort
      status
      unlockStatus
      unlockedTime
      user
      user_created
      user_updated
    }
    countAll
    countDistinct {
      collection
      date_created
      date_updated
      id
      sort
      status
      unlockStatus
      unlockedTime
      user
      user_created
      user_updated
    }
    group
    max {
      sort
    }
    min {
      sort
    }
    sum {
      sort
    }
    sumDistinct {
      sort
    }
  }
}
Variables
{
  "filter": UserUnlockState_filter,
  "groupBy": ["xyz789"],
  "limit": 123,
  "offset": 123,
  "page": 123,
  "search": "abc123",
  "sort": ["abc123"]
}
Response
{
  "data": {
    "UserUnlockState_aggregated": [
      {
        "avg": UserUnlockState_aggregated_fields,
        "avgDistinct": UserUnlockState_aggregated_fields,
        "count": UserUnlockState_aggregated_count,
        "countAll": 987,
        "countDistinct": UserUnlockState_aggregated_count,
        "group": {},
        "max": UserUnlockState_aggregated_fields,
        "min": UserUnlockState_aggregated_fields,
        "sum": UserUnlockState_aggregated_fields,
        "sumDistinct": UserUnlockState_aggregated_fields
      }
    ]
  }
}

UserUnlockState_by_id

Response

Returns a UserUnlockState

Arguments
Name Description
id - ID!

Example

Query
query UserUnlockState_by_id($id: ID!) {
  UserUnlockState_by_id(id: $id) {
    collection {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      hasMediaObject {
        ...MediaObjectFragment
      }
      hasMediaObject_func {
        ...count_functionsFragment
      }
      id
      isDeliveredByBeaconGroup {
        ...BeaconGroupFragment
      }
      isPartOfCollectionGroup {
        ...CollectionGroupFragment
      }
      lockedImage {
        ...directus_filesFragment
      }
      name
      pushNotification {
        ...PushNotificationFragment
      }
      pushNotification_func {
        ...count_functionsFragment
      }
      sort
      status
      unlockedImage {
        ...directus_filesFragment
      }
      userUnlockState {
        ...UserUnlockStateFragment
      }
      userUnlockState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    id
    sort
    status
    unlockStatus
    unlockedTime
    unlockedTime_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    user {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      id
      role {
        ...WormholeUser_WormholeRoleFragment
      }
      role_func {
        ...count_functionsFragment
      }
      sort
      status
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userAppletState {
        ...UserAppletStateFragment
      }
      userAppletState_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      userUnlockState {
        ...UserUnlockStateFragment
      }
      userUnlockState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
      username
      wormholeId
    }
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{"id": "4"}
Response
{
  "data": {
    "UserUnlockState_by_id": {
      "collection": Collection,
      "date_created": "2007-12-03",
      "date_created_func": datetime_functions,
      "date_updated": "2007-12-03",
      "date_updated_func": datetime_functions,
      "id": "4",
      "sort": 123,
      "status": "abc123",
      "unlockStatus": "abc123",
      "unlockedTime": "2007-12-03",
      "unlockedTime_func": datetime_functions,
      "user": WormholeUser,
      "user_created": directus_users,
      "user_updated": directus_users
    }
  }
}

WormholeRole

WormholeRole

Response

Returns [WormholeRole!]!

Arguments
Name Description
filter - WormholeRole_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query WormholeRole(
  $filter: WormholeRole_filter,
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  WormholeRole(
    filter: $filter,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    WormholeUser {
      WormholeRole_id {
        ...WormholeRoleFragment
      }
      WormholeUser_id {
        ...WormholeUserFragment
      }
      id
    }
    WormholeUser_func {
      count
    }
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    description
    id
    name
    sort
    status
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{
  "filter": WormholeRole_filter,
  "limit": 987,
  "offset": 123,
  "page": 987,
  "search": "abc123",
  "sort": ["xyz789"]
}
Response
{
  "data": {
    "WormholeRole": [
      {
        "WormholeUser": [WormholeUser_WormholeRole],
        "WormholeUser_func": count_functions,
        "date_created": "2007-12-03",
        "date_created_func": datetime_functions,
        "date_updated": "2007-12-03",
        "date_updated_func": datetime_functions,
        "description": "abc123",
        "id": "4",
        "name": "xyz789",
        "sort": 123,
        "status": "xyz789",
        "user_created": directus_users,
        "user_updated": directus_users
      }
    ]
  }
}

WormholeRole_aggregated

Response

Returns [WormholeRole_aggregated!]!

Arguments
Name Description
filter - WormholeRole_filter
groupBy - [String]
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query WormholeRole_aggregated(
  $filter: WormholeRole_filter,
  $groupBy: [String],
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  WormholeRole_aggregated(
    filter: $filter,
    groupBy: $groupBy,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    avg {
      sort
    }
    avgDistinct {
      sort
    }
    count {
      WormholeUser
      date_created
      date_updated
      description
      id
      name
      sort
      status
      user_created
      user_updated
    }
    countAll
    countDistinct {
      WormholeUser
      date_created
      date_updated
      description
      id
      name
      sort
      status
      user_created
      user_updated
    }
    group
    max {
      sort
    }
    min {
      sort
    }
    sum {
      sort
    }
    sumDistinct {
      sort
    }
  }
}
Variables
{
  "filter": WormholeRole_filter,
  "groupBy": ["xyz789"],
  "limit": 123,
  "offset": 123,
  "page": 123,
  "search": "abc123",
  "sort": ["abc123"]
}
Response
{
  "data": {
    "WormholeRole_aggregated": [
      {
        "avg": WormholeRole_aggregated_fields,
        "avgDistinct": WormholeRole_aggregated_fields,
        "count": WormholeRole_aggregated_count,
        "countAll": 123,
        "countDistinct": WormholeRole_aggregated_count,
        "group": {},
        "max": WormholeRole_aggregated_fields,
        "min": WormholeRole_aggregated_fields,
        "sum": WormholeRole_aggregated_fields,
        "sumDistinct": WormholeRole_aggregated_fields
      }
    ]
  }
}

WormholeRole_by_id

Response

Returns a WormholeRole

Arguments
Name Description
id - ID!

Example

Query
query WormholeRole_by_id($id: ID!) {
  WormholeRole_by_id(id: $id) {
    WormholeUser {
      WormholeRole_id {
        ...WormholeRoleFragment
      }
      WormholeUser_id {
        ...WormholeUserFragment
      }
      id
    }
    WormholeUser_func {
      count
    }
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    description
    id
    name
    sort
    status
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
  }
}
Variables
{"id": 4}
Response
{
  "data": {
    "WormholeRole_by_id": {
      "WormholeUser": [WormholeUser_WormholeRole],
      "WormholeUser_func": count_functions,
      "date_created": "2007-12-03",
      "date_created_func": datetime_functions,
      "date_updated": "2007-12-03",
      "date_updated_func": datetime_functions,
      "description": "xyz789",
      "id": "4",
      "name": "xyz789",
      "sort": 123,
      "status": "abc123",
      "user_created": directus_users,
      "user_updated": directus_users
    }
  }
}

WormholeUser

WormholeUser

Response

Returns [WormholeUser!]!

Arguments
Name Description
filter - WormholeUser_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query WormholeUser(
  $filter: WormholeUser_filter,
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  WormholeUser(
    filter: $filter,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    id
    role {
      WormholeRole_id {
        ...WormholeRoleFragment
      }
      WormholeUser_id {
        ...WormholeUserFragment
      }
      id
    }
    role_func {
      count
    }
    sort
    status
    userActivity {
      action
      actionTime
      actionTime_func {
        ...datetime_functionsFragment
      }
      actionTrigger
      applet {
        ...AppletFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      id
      mediaObject {
        ...MediaObjectFragment
      }
      sort
      status
      user {
        ...WormholeUserFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    userActivity_func {
      count
    }
    userAppletState {
      applet {
        ...AppletFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      firstOpenDate
      firstOpenDate_func {
        ...datetime_functionsFragment
      }
      id
      lastOpenDate
      lastOpenDate_func {
        ...datetime_functionsFragment
      }
      sort
      status
      user {
        ...WormholeUserFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    userAppletState_func {
      count
    }
    userMediaState {
      applet {
        ...AppletFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      favorite
      firstOpenDate
      firstOpenDate_func {
        ...datetime_functionsFragment
      }
      id
      lastOpenDate
      lastOpenDate_func {
        ...datetime_functionsFragment
      }
      mediaObject {
        ...MediaObjectFragment
      }
      progressRate
      sort
      status
      user {
        ...WormholeUserFragment
      }
      userInteractionCount
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    userMediaState_func {
      count
    }
    userUnlockState {
      collection {
        ...CollectionFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      id
      sort
      status
      unlockStatus
      unlockedTime
      unlockedTime_func {
        ...datetime_functionsFragment
      }
      user {
        ...WormholeUserFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    userUnlockState_func {
      count
    }
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    username
    wormholeId
  }
}
Variables
{
  "filter": WormholeUser_filter,
  "limit": 123,
  "offset": 987,
  "page": 987,
  "search": "abc123",
  "sort": ["xyz789"]
}
Response
{
  "data": {
    "WormholeUser": [
      {
        "date_created": "2007-12-03",
        "date_created_func": datetime_functions,
        "date_updated": "2007-12-03",
        "date_updated_func": datetime_functions,
        "id": 4,
        "role": [WormholeUser_WormholeRole],
        "role_func": count_functions,
        "sort": 123,
        "status": "xyz789",
        "userActivity": [UserActivity],
        "userActivity_func": count_functions,
        "userAppletState": [UserAppletState],
        "userAppletState_func": count_functions,
        "userMediaState": [UserMediaState],
        "userMediaState_func": count_functions,
        "userUnlockState": [UserUnlockState],
        "userUnlockState_func": count_functions,
        "user_created": directus_users,
        "user_updated": directus_users,
        "username": "abc123",
        "wormholeId": "abc123"
      }
    ]
  }
}

WormholeUser_WormholeRole

Arguments
Name Description
filter - WormholeUser_WormholeRole_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query WormholeUser_WormholeRole(
  $filter: WormholeUser_WormholeRole_filter,
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  WormholeUser_WormholeRole(
    filter: $filter,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    WormholeRole_id {
      WormholeUser {
        ...WormholeUser_WormholeRoleFragment
      }
      WormholeUser_func {
        ...count_functionsFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      id
      name
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    WormholeUser_id {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      id
      role {
        ...WormholeUser_WormholeRoleFragment
      }
      role_func {
        ...count_functionsFragment
      }
      sort
      status
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userAppletState {
        ...UserAppletStateFragment
      }
      userAppletState_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      userUnlockState {
        ...UserUnlockStateFragment
      }
      userUnlockState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
      username
      wormholeId
    }
    id
  }
}
Variables
{
  "filter": WormholeUser_WormholeRole_filter,
  "limit": 987,
  "offset": 123,
  "page": 123,
  "search": "xyz789",
  "sort": ["xyz789"]
}
Response
{
  "data": {
    "WormholeUser_WormholeRole": [
      {
        "WormholeRole_id": WormholeRole,
        "WormholeUser_id": WormholeUser,
        "id": "4"
      }
    ]
  }
}

WormholeUser_WormholeRole_aggregated

Arguments
Name Description
filter - WormholeUser_WormholeRole_filter
groupBy - [String]
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query WormholeUser_WormholeRole_aggregated(
  $filter: WormholeUser_WormholeRole_filter,
  $groupBy: [String],
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  WormholeUser_WormholeRole_aggregated(
    filter: $filter,
    groupBy: $groupBy,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    avg {
      id
    }
    avgDistinct {
      id
    }
    count {
      WormholeRole_id
      WormholeUser_id
      id
    }
    countAll
    countDistinct {
      WormholeRole_id
      WormholeUser_id
      id
    }
    group
    max {
      id
    }
    min {
      id
    }
    sum {
      id
    }
    sumDistinct {
      id
    }
  }
}
Variables
{
  "filter": WormholeUser_WormholeRole_filter,
  "groupBy": ["xyz789"],
  "limit": 123,
  "offset": 987,
  "page": 987,
  "search": "xyz789",
  "sort": ["xyz789"]
}
Response
{
  "data": {
    "WormholeUser_WormholeRole_aggregated": [
      {
        "avg": WormholeUser_WormholeRole_aggregated_fields,
        "avgDistinct": WormholeUser_WormholeRole_aggregated_fields,
        "count": WormholeUser_WormholeRole_aggregated_count,
        "countAll": 123,
        "countDistinct": WormholeUser_WormholeRole_aggregated_count,
        "group": {},
        "max": WormholeUser_WormholeRole_aggregated_fields,
        "min": WormholeUser_WormholeRole_aggregated_fields,
        "sum": WormholeUser_WormholeRole_aggregated_fields,
        "sumDistinct": WormholeUser_WormholeRole_aggregated_fields
      }
    ]
  }
}

WormholeUser_WormholeRole_by_id

Response

Returns a WormholeUser_WormholeRole

Arguments
Name Description
id - ID!

Example

Query
query WormholeUser_WormholeRole_by_id($id: ID!) {
  WormholeUser_WormholeRole_by_id(id: $id) {
    WormholeRole_id {
      WormholeUser {
        ...WormholeUser_WormholeRoleFragment
      }
      WormholeUser_func {
        ...count_functionsFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      description
      id
      name
      sort
      status
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    WormholeUser_id {
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      id
      role {
        ...WormholeUser_WormholeRoleFragment
      }
      role_func {
        ...count_functionsFragment
      }
      sort
      status
      userActivity {
        ...UserActivityFragment
      }
      userActivity_func {
        ...count_functionsFragment
      }
      userAppletState {
        ...UserAppletStateFragment
      }
      userAppletState_func {
        ...count_functionsFragment
      }
      userMediaState {
        ...UserMediaStateFragment
      }
      userMediaState_func {
        ...count_functionsFragment
      }
      userUnlockState {
        ...UserUnlockStateFragment
      }
      userUnlockState_func {
        ...count_functionsFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
      username
      wormholeId
    }
    id
  }
}
Variables
{"id": 4}
Response
{
  "data": {
    "WormholeUser_WormholeRole_by_id": {
      "WormholeRole_id": WormholeRole,
      "WormholeUser_id": WormholeUser,
      "id": "4"
    }
  }
}

WormholeUser_aggregated

Response

Returns [WormholeUser_aggregated!]!

Arguments
Name Description
filter - WormholeUser_filter
groupBy - [String]
limit - Int
offset - Int
page - Int
search - String
sort - [String]

Example

Query
query WormholeUser_aggregated(
  $filter: WormholeUser_filter,
  $groupBy: [String],
  $limit: Int,
  $offset: Int,
  $page: Int,
  $search: String,
  $sort: [String]
) {
  WormholeUser_aggregated(
    filter: $filter,
    groupBy: $groupBy,
    limit: $limit,
    offset: $offset,
    page: $page,
    search: $search,
    sort: $sort
  ) {
    avg {
      sort
    }
    avgDistinct {
      sort
    }
    count {
      date_created
      date_updated
      id
      role
      sort
      status
      userActivity
      userAppletState
      userMediaState
      userUnlockState
      user_created
      user_updated
      username
      wormholeId
    }
    countAll
    countDistinct {
      date_created
      date_updated
      id
      role
      sort
      status
      userActivity
      userAppletState
      userMediaState
      userUnlockState
      user_created
      user_updated
      username
      wormholeId
    }
    group
    max {
      sort
    }
    min {
      sort
    }
    sum {
      sort
    }
    sumDistinct {
      sort
    }
  }
}
Variables
{
  "filter": WormholeUser_filter,
  "groupBy": ["abc123"],
  "limit": 123,
  "offset": 987,
  "page": 987,
  "search": "xyz789",
  "sort": ["abc123"]
}
Response
{
  "data": {
    "WormholeUser_aggregated": [
      {
        "avg": WormholeUser_aggregated_fields,
        "avgDistinct": WormholeUser_aggregated_fields,
        "count": WormholeUser_aggregated_count,
        "countAll": 123,
        "countDistinct": WormholeUser_aggregated_count,
        "group": {},
        "max": WormholeUser_aggregated_fields,
        "min": WormholeUser_aggregated_fields,
        "sum": WormholeUser_aggregated_fields,
        "sumDistinct": WormholeUser_aggregated_fields
      }
    ]
  }
}

WormholeUser_by_id

Response

Returns a WormholeUser

Arguments
Name Description
id - ID!

Example

Query
query WormholeUser_by_id($id: ID!) {
  WormholeUser_by_id(id: $id) {
    date_created
    date_created_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    date_updated
    date_updated_func {
      day
      hour
      minute
      month
      second
      week
      weekday
      year
    }
    id
    role {
      WormholeRole_id {
        ...WormholeRoleFragment
      }
      WormholeUser_id {
        ...WormholeUserFragment
      }
      id
    }
    role_func {
      count
    }
    sort
    status
    userActivity {
      action
      actionTime
      actionTime_func {
        ...datetime_functionsFragment
      }
      actionTrigger
      applet {
        ...AppletFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      id
      mediaObject {
        ...MediaObjectFragment
      }
      sort
      status
      user {
        ...WormholeUserFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    userActivity_func {
      count
    }
    userAppletState {
      applet {
        ...AppletFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      firstOpenDate
      firstOpenDate_func {
        ...datetime_functionsFragment
      }
      id
      lastOpenDate
      lastOpenDate_func {
        ...datetime_functionsFragment
      }
      sort
      status
      user {
        ...WormholeUserFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    userAppletState_func {
      count
    }
    userMediaState {
      applet {
        ...AppletFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      favorite
      firstOpenDate
      firstOpenDate_func {
        ...datetime_functionsFragment
      }
      id
      lastOpenDate
      lastOpenDate_func {
        ...datetime_functionsFragment
      }
      mediaObject {
        ...MediaObjectFragment
      }
      progressRate
      sort
      status
      user {
        ...WormholeUserFragment
      }
      userInteractionCount
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    userMediaState_func {
      count
    }
    userUnlockState {
      collection {
        ...CollectionFragment
      }
      date_created
      date_created_func {
        ...datetime_functionsFragment
      }
      date_updated
      date_updated_func {
        ...datetime_functionsFragment
      }
      id
      sort
      status
      unlockStatus
      unlockedTime
      unlockedTime_func {
        ...datetime_functionsFragment
      }
      user {
        ...WormholeUserFragment
      }
      user_created {
        ...directus_usersFragment
      }
      user_updated {
        ...directus_usersFragment
      }
    }
    userUnlockState_func {
      count
    }
    user_created {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    user_updated {
      auth_data
      auth_data_func {
        ...count_functionsFragment
      }
      avatar {
        ...directus_filesFragment
      }
      description
      email
      email_notifications
      external_identifier
      first_name
      id
      language
      last_access
      last_access_func {
        ...datetime_functionsFragment
      }
      last_name
      last_page
      location
      password
      provider
      role {
        ...directus_rolesFragment
      }
      status
      tags
      tags_func {
        ...count_functionsFragment
      }
      tfa_secret
      theme
      title
      token
    }
    username
    wormholeId
  }
}
Variables
{"id": "4"}
Response
{
  "data": {
    "WormholeUser_by_id": {
      "date_created": "2007-12-03",
      "date_created_func": datetime_functions,
      "date_updated": "2007-12-03",
      "date_updated_func": datetime_functions,
      "id": "4",
      "role": [WormholeUser_WormholeRole],
      "role_func": count_functions,
      "sort": 987,
      "status": "abc123",
      "userActivity": [UserActivity],
      "userActivity_func": count_functions,
      "userAppletState": [UserAppletState],
      "userAppletState_func": count_functions,
      "userMediaState": [UserMediaState],
      "userMediaState_func": count_functions,
      "userUnlockState": [UserUnlockState],
      "userUnlockState_func": count_functions,
      "user_created": directus_users,
      "user_updated": directus_users,
      "username": "abc123",
      "wormholeId": "xyz789"
    }
  }
}

CMS

OBJECT

ActionIdentifier

Description

columns and relationships of "ActionIdentifier"

Fields
Field Name Description
actionId - uuid
id - uuid!
name - String
value - String
valueReference - String
Example
{
  "actionId": uuid,
  "id": uuid,
  "name": "abc123",
  "value": "abc123",
  "valueReference": "abc123"
}

ActionStatusTypeIdentifier

Description

columns and relationships of "ActionStatusTypeIdentifier"

Fields
Field Name Description
actionStatusTypeId - uuid
id - uuid!
name - String
value - String
valueReference - String
Example
{
  "actionStatusTypeId": uuid,
  "id": uuid,
  "name": "abc123",
  "value": "xyz789",
  "valueReference": "xyz789"
}

AdministrativeAreaIdentifier

Description

columns and relationships of "AdministrativeAreaIdentifier"

Fields
Field Name Description
administrativeAreaId - uuid
id - uuid!
name - String
value - String
valueReference - String
Example
{
  "administrativeAreaId": uuid,
  "id": uuid,
  "name": "abc123",
  "value": "xyz789",
  "valueReference": "abc123"
}

AggregateOfferIdentifier

Description

columns and relationships of "AggregateOfferIdentifier"

Fields
Field Name Description
aggregateOfferId - uuid
id - uuid!
name - String
value - String
valueReference - String
Example
{
  "aggregateOfferId": uuid,
  "id": uuid,
  "name": "abc123",
  "value": "xyz789",
  "valueReference": "abc123"
}

Applet

Fields
Field Name Description
animationType - String
appletType - String
bottomDock - Boolean
date_created - Date
date_created_func - datetime_functions
date_updated - Date
date_updated_func - datetime_functions
hasMediaObject - [MediaObject_Applet]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
hasMediaObject_func - count_functions
id - ID!
image - directus_files
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
label - String
name - String
pinnedMediaObject - [PinnedMediaObject]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
pinnedMediaObject_func - count_functions
portraitOrientation - Boolean
position - String
scrambled - Boolean
sort - Int
status - String
url - String
userActivity - [UserActivity]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
userActivity_func - count_functions
userAppletState - [UserAppletState]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
userAppletState_func - count_functions
userMediaState - [UserMediaState]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
userMediaState_func - count_functions
user_created - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
user_updated - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
visible - Boolean
Example
{
  "animationType": "xyz789",
  "appletType": "abc123",
  "bottomDock": true,
  "date_created": "2007-12-03",
  "date_created_func": datetime_functions,
  "date_updated": "2007-12-03",
  "date_updated_func": datetime_functions,
  "hasMediaObject": [MediaObject_Applet],
  "hasMediaObject_func": count_functions,
  "id": "4",
  "image": directus_files,
  "label": "abc123",
  "name": "xyz789",
  "pinnedMediaObject": [PinnedMediaObject],
  "pinnedMediaObject_func": count_functions,
  "portraitOrientation": false,
  "position": "xyz789",
  "scrambled": false,
  "sort": 987,
  "status": "xyz789",
  "url": "xyz789",
  "userActivity": [UserActivity],
  "userActivity_func": count_functions,
  "userAppletState": [UserAppletState],
  "userAppletState_func": count_functions,
  "userMediaState": [UserMediaState],
  "userMediaState_func": count_functions,
  "user_created": directus_users,
  "user_updated": directus_users,
  "visible": false
}

Applet_aggregated

Fields
Field Name Description
avg - Applet_aggregated_fields
avgDistinct - Applet_aggregated_fields
count - Applet_aggregated_count
countAll - Int
countDistinct - Applet_aggregated_count
group - JSON
max - Applet_aggregated_fields
min - Applet_aggregated_fields
sum - Applet_aggregated_fields
sumDistinct - Applet_aggregated_fields
Example
{
  "avg": Applet_aggregated_fields,
  "avgDistinct": Applet_aggregated_fields,
  "count": Applet_aggregated_count,
  "countAll": 123,
  "countDistinct": Applet_aggregated_count,
  "group": {},
  "max": Applet_aggregated_fields,
  "min": Applet_aggregated_fields,
  "sum": Applet_aggregated_fields,
  "sumDistinct": Applet_aggregated_fields
}

Applet_aggregated_count

Fields
Field Name Description
animationType - Int
appletType - Int
bottomDock - Int
date_created - Int
date_updated - Int
hasMediaObject - Int
id - Int
image - Int
label - Int
name - Int
pinnedMediaObject - Int
portraitOrientation - Int
position - Int
scrambled - Int
sort - Int
status - Int
url - Int
userActivity - Int
userAppletState - Int
userMediaState - Int
user_created - Int
user_updated - Int
visible - Int
Example
{
  "animationType": 987,
  "appletType": 987,
  "bottomDock": 123,
  "date_created": 987,
  "date_updated": 123,
  "hasMediaObject": 987,
  "id": 123,
  "image": 123,
  "label": 123,
  "name": 123,
  "pinnedMediaObject": 987,
  "portraitOrientation": 123,
  "position": 987,
  "scrambled": 987,
  "sort": 987,
  "status": 987,
  "url": 123,
  "userActivity": 987,
  "userAppletState": 123,
  "userMediaState": 123,
  "user_created": 987,
  "user_updated": 123,
  "visible": 987
}

Applet_aggregated_fields

Fields
Field Name Description
sort - Float
Example
{"sort": 123.45}

Applet_mutated

Fields
Field Name Description
data - Applet
event - EventEnum
key - ID!
Example
{
  "data": Applet,
  "event": "create",
  "key": "4"
}

AudienceIdentifier

Description

columns and relationships of "AudienceIdentifier"

Fields
Field Name Description
audienceId - uuid
id - uuid!
name - String
value - String
valueReference - String
Example
{
  "audienceId": uuid,
  "id": uuid,
  "name": "abc123",
  "value": "xyz789",
  "valueReference": "abc123"
}

Beacon

Fields
Field Name Description
broadcastPower - Int
date_created - Date
date_created_func - datetime_functions
date_updated - Date
date_updated_func - datetime_functions
description - String
directusId - Int
id - ID!
isPartOfBeaconGroup - BeaconGroup
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
macAddress - String
minorID - String
name - String
proximity - String
sort - Int
status - String
user_created - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
user_updated - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
Example
{
  "broadcastPower": 123,
  "date_created": "2007-12-03",
  "date_created_func": datetime_functions,
  "date_updated": "2007-12-03",
  "date_updated_func": datetime_functions,
  "description": "xyz789",
  "directusId": 123,
  "id": 4,
  "isPartOfBeaconGroup": BeaconGroup,
  "macAddress": "abc123",
  "minorID": "abc123",
  "name": "xyz789",
  "proximity": "abc123",
  "sort": 987,
  "status": "xyz789",
  "user_created": directus_users,
  "user_updated": directus_users
}

BeaconGroup

Fields
Field Name Description
containedInExhibition - Exhibition
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
date_created - Date
date_created_func - datetime_functions
date_updated - Date
date_updated_func - datetime_functions
directusId - Int
hasBeacon - [Beacon]
Arguments
filter - Beacon_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]
hasBeacon_func - count_functions
hasCollection - [Collection]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
hasCollection_func - count_functions
id - ID!
keyword - [Keyword_BeaconGroup]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
keyword_func - count_functions
majorID - Int
name - String
sort - Int
status - String
user_created - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
user_updated - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
Example
{
  "containedInExhibition": Exhibition,
  "date_created": "2007-12-03",
  "date_created_func": datetime_functions,
  "date_updated": "2007-12-03",
  "date_updated_func": datetime_functions,
  "directusId": 987,
  "hasBeacon": [Beacon],
  "hasBeacon_func": count_functions,
  "hasCollection": [Collection],
  "hasCollection_func": count_functions,
  "id": "4",
  "keyword": [Keyword_BeaconGroup],
  "keyword_func": count_functions,
  "majorID": 987,
  "name": "xyz789",
  "sort": 123,
  "status": "xyz789",
  "user_created": directus_users,
  "user_updated": directus_users
}

BeaconGroupList_ContainedInExhibition

Fields
Field Name Description
identifier - [BeaconGroupList_Identifier]
Example
{"identifier": [BeaconGroupList_Identifier]}

BeaconGroupList_HasCollection

Fields
Field Name Description
description - String
id - String
isPartOfCollectionGroup - BeaconGroupList_IsPartOfCollectionGroup
lockedImage - BeaconGroupList_LockedImage
name - String
pushNotification - [BeaconGroupList_PushNotification]
unlockedImage - BeaconGroupList_UnlockedImage
Example
{
  "description": "xyz789",
  "id": "abc123",
  "isPartOfCollectionGroup": BeaconGroupList_IsPartOfCollectionGroup,
  "lockedImage": BeaconGroupList_LockedImage,
  "name": "xyz789",
  "pushNotification": [BeaconGroupList_PushNotification],
  "unlockedImage": BeaconGroupList_UnlockedImage
}

BeaconGroupList_Identifier

Fields
Field Name Description
name - String
value - String
valueReference - String
Example
{
  "name": "abc123",
  "value": "xyz789",
  "valueReference": "xyz789"
}

BeaconGroupList_IsPartOfCollectionGroup

Fields
Field Name Description
isPartOfExhibition - String
name - String
Example
{
  "isPartOfExhibition": "abc123",
  "name": "abc123"
}

BeaconGroupList_LockedImage

Fields
Field Name Description
filename_disk - String
Example
{"filename_disk": "xyz789"}

BeaconGroupList_PushNotification

Fields
Field Name Description
subtitle - String
text - String
Example
{
  "subtitle": "abc123",
  "text": "abc123"
}

BeaconGroupList_UnlockedImage

Fields
Field Name Description
filename_disk - String
Example
{"filename_disk": "abc123"}

BeaconGroupResponseObject

Fields
Field Name Description
containedInExhibition - BeaconGroupList_ContainedInExhibition
hasCollection - [BeaconGroupList_HasCollection]
id - String
majorID - Int
name - String
Example
{
  "containedInExhibition": BeaconGroupList_ContainedInExhibition,
  "hasCollection": [BeaconGroupList_HasCollection],
  "id": "abc123",
  "majorID": 987,
  "name": "abc123"
}

BeaconGroup_aggregated

Example
{
  "avg": BeaconGroup_aggregated_fields,
  "avgDistinct": BeaconGroup_aggregated_fields,
  "count": BeaconGroup_aggregated_count,
  "countAll": 123,
  "countDistinct": BeaconGroup_aggregated_count,
  "group": {},
  "max": BeaconGroup_aggregated_fields,
  "min": BeaconGroup_aggregated_fields,
  "sum": BeaconGroup_aggregated_fields,
  "sumDistinct": BeaconGroup_aggregated_fields
}

BeaconGroup_aggregated_count

Fields
Field Name Description
containedInExhibition - Int
date_created - Int
date_updated - Int
directusId - Int
hasBeacon - Int
hasCollection - Int
id - Int
keyword - Int
majorID - Int
name - Int
sort - Int
status - Int
user_created - Int
user_updated - Int
Example
{
  "containedInExhibition": 123,
  "date_created": 987,
  "date_updated": 123,
  "directusId": 123,
  "hasBeacon": 987,
  "hasCollection": 123,
  "id": 987,
  "keyword": 123,
  "majorID": 123,
  "name": 123,
  "sort": 123,
  "status": 123,
  "user_created": 123,
  "user_updated": 123
}

BeaconGroup_aggregated_fields

Fields
Field Name Description
directusId - Float
majorID - Float
sort - Float
Example
{"directusId": 123.45, "majorID": 987.65, "sort": 987.65}

BeaconGroup_mutated

Fields
Field Name Description
data - BeaconGroup
event - EventEnum
key - ID!
Example
{
  "data": BeaconGroup,
  "event": "create",
  "key": "4"
}

Beacon_aggregated

Fields
Field Name Description
avg - Beacon_aggregated_fields
avgDistinct - Beacon_aggregated_fields
count - Beacon_aggregated_count
countAll - Int
countDistinct - Beacon_aggregated_count
group - JSON
max - Beacon_aggregated_fields
min - Beacon_aggregated_fields
sum - Beacon_aggregated_fields
sumDistinct - Beacon_aggregated_fields
Example
{
  "avg": Beacon_aggregated_fields,
  "avgDistinct": Beacon_aggregated_fields,
  "count": Beacon_aggregated_count,
  "countAll": 987,
  "countDistinct": Beacon_aggregated_count,
  "group": {},
  "max": Beacon_aggregated_fields,
  "min": Beacon_aggregated_fields,
  "sum": Beacon_aggregated_fields,
  "sumDistinct": Beacon_aggregated_fields
}

Beacon_aggregated_count

Fields
Field Name Description
broadcastPower - Int
date_created - Int
date_updated - Int
description - Int
directusId - Int
id - Int
isPartOfBeaconGroup - Int
macAddress - Int
minorID - Int
name - Int
proximity - Int
sort - Int
status - Int
user_created - Int
user_updated - Int
Example
{
  "broadcastPower": 987,
  "date_created": 123,
  "date_updated": 123,
  "description": 987,
  "directusId": 987,
  "id": 123,
  "isPartOfBeaconGroup": 123,
  "macAddress": 987,
  "minorID": 987,
  "name": 987,
  "proximity": 987,
  "sort": 123,
  "status": 987,
  "user_created": 123,
  "user_updated": 123
}

Beacon_aggregated_fields

Fields
Field Name Description
broadcastPower - Float
directusId - Float
sort - Float
Example
{"broadcastPower": 987.65, "directusId": 123.45, "sort": 987.65}

Beacon_mutated

Fields
Field Name Description
data - Beacon
event - EventEnum
key - ID!
Example
{
  "data": Beacon,
  "event": "create",
  "key": "4"
}

BrandIdentifier

Description

columns and relationships of "BrandIdentifier"

Fields
Field Name Description
brandId - uuid
id - uuid!
name - String
value - String
valueReference - String
Example
{
  "brandId": uuid,
  "id": uuid,
  "name": "abc123",
  "value": "abc123",
  "valueReference": "xyz789"
}

Character

Fields
Field Name Description
avatar - directus_files
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
date_created - Date
date_created_func - datetime_functions
date_updated - Date
date_updated_func - datetime_functions
description - String
id - ID!
isPartOfMediaObject - [Character_MediaObject]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
isPartOfMediaObject_func - count_functions
name - String
sort - Int
status - String
user_created - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
user_updated - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
Example
{
  "avatar": directus_files,
  "date_created": "2007-12-03",
  "date_created_func": datetime_functions,
  "date_updated": "2007-12-03",
  "date_updated_func": datetime_functions,
  "description": "xyz789",
  "id": "4",
  "isPartOfMediaObject": [Character_MediaObject],
  "isPartOfMediaObject_func": count_functions,
  "name": "abc123",
  "sort": 987,
  "status": "xyz789",
  "user_created": directus_users,
  "user_updated": directus_users
}

Character_MediaObject

Fields
Field Name Description
Character_id - Character
Arguments
filter - Character_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]
MediaObject_id - MediaObject
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
id - ID!
Example
{
  "Character_id": Character,
  "MediaObject_id": MediaObject,
  "id": "4"
}

Character_MediaObject_aggregated

Example
{
  "avg": Character_MediaObject_aggregated_fields,
  "avgDistinct": Character_MediaObject_aggregated_fields,
  "count": Character_MediaObject_aggregated_count,
  "countAll": 123,
  "countDistinct": Character_MediaObject_aggregated_count,
  "group": {},
  "max": Character_MediaObject_aggregated_fields,
  "min": Character_MediaObject_aggregated_fields,
  "sum": Character_MediaObject_aggregated_fields,
  "sumDistinct": Character_MediaObject_aggregated_fields
}

Character_MediaObject_aggregated_count

Fields
Field Name Description
Character_id - Int
MediaObject_id - Int
id - Int
Example
{"Character_id": 123, "MediaObject_id": 123, "id": 987}

Character_MediaObject_aggregated_fields

Fields
Field Name Description
id - Float
Example
{"id": 987.65}

Character_MediaObject_mutated

Fields
Field Name Description
data - Character_MediaObject
event - EventEnum
key - ID!
Example
{
  "data": Character_MediaObject,
  "event": "create",
  "key": 4
}

Character_aggregated

Example
{
  "avg": Character_aggregated_fields,
  "avgDistinct": Character_aggregated_fields,
  "count": Character_aggregated_count,
  "countAll": 987,
  "countDistinct": Character_aggregated_count,
  "group": {},
  "max": Character_aggregated_fields,
  "min": Character_aggregated_fields,
  "sum": Character_aggregated_fields,
  "sumDistinct": Character_aggregated_fields
}

Character_aggregated_count

Fields
Field Name Description
avatar - Int
date_created - Int
date_updated - Int
description - Int
id - Int
isPartOfMediaObject - Int
name - Int
sort - Int
status - Int
user_created - Int
user_updated - Int
Example
{
  "avatar": 123,
  "date_created": 123,
  "date_updated": 123,
  "description": 987,
  "id": 987,
  "isPartOfMediaObject": 987,
  "name": 123,
  "sort": 123,
  "status": 123,
  "user_created": 987,
  "user_updated": 123
}

Character_aggregated_fields

Fields
Field Name Description
sort - Float
Example
{"sort": 987.65}

Character_mutated

Fields
Field Name Description
data - Character
event - EventEnum
key - ID!
Example
{"data": Character, "event": "create", "key": 4}

Collection

Fields
Field Name Description
date_created - Date
date_created_func - datetime_functions
date_updated - Date
date_updated_func - datetime_functions
description - String
hasMediaObject - [MediaObject]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
hasMediaObject_func - count_functions
id - ID!
isDeliveredByBeaconGroup - BeaconGroup
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
isPartOfCollectionGroup - CollectionGroup
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
lockedImage - directus_files
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
name - String
pushNotification - [PushNotification]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
pushNotification_func - count_functions
sort - Int
status - String
unlockedImage - directus_files
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
userUnlockState - [UserUnlockState]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
userUnlockState_func - count_functions
user_created - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
user_updated - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
Example
{
  "date_created": "2007-12-03",
  "date_created_func": datetime_functions,
  "date_updated": "2007-12-03",
  "date_updated_func": datetime_functions,
  "description": "xyz789",
  "hasMediaObject": [MediaObject],
  "hasMediaObject_func": count_functions,
  "id": "4",
  "isDeliveredByBeaconGroup": BeaconGroup,
  "isPartOfCollectionGroup": CollectionGroup,
  "lockedImage": directus_files,
  "name": "xyz789",
  "pushNotification": [PushNotification],
  "pushNotification_func": count_functions,
  "sort": 987,
  "status": "abc123",
  "unlockedImage": directus_files,
  "userUnlockState": [UserUnlockState],
  "userUnlockState_func": count_functions,
  "user_created": directus_users,
  "user_updated": directus_users
}

CollectionGroup

Fields
Field Name Description
coverObject - MediaObject
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
date_created - Date
date_created_func - datetime_functions
date_updated - Date
date_updated_func - datetime_functions
description - String
hasCollection - [Collection]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
hasCollection_func - count_functions
id - ID!
isPartOfExhibition - Exhibition
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
name - String
sort - Int
status - String
user_created - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
user_updated - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
Example
{
  "coverObject": MediaObject,
  "date_created": "2007-12-03",
  "date_created_func": datetime_functions,
  "date_updated": "2007-12-03",
  "date_updated_func": datetime_functions,
  "description": "abc123",
  "hasCollection": [Collection],
  "hasCollection_func": count_functions,
  "id": "4",
  "isPartOfExhibition": Exhibition,
  "name": "xyz789",
  "sort": 123,
  "status": "xyz789",
  "user_created": directus_users,
  "user_updated": directus_users
}

CollectionGroup_aggregated

Example
{
  "avg": CollectionGroup_aggregated_fields,
  "avgDistinct": CollectionGroup_aggregated_fields,
  "count": CollectionGroup_aggregated_count,
  "countAll": 123,
  "countDistinct": CollectionGroup_aggregated_count,
  "group": {},
  "max": CollectionGroup_aggregated_fields,
  "min": CollectionGroup_aggregated_fields,
  "sum": CollectionGroup_aggregated_fields,
  "sumDistinct": CollectionGroup_aggregated_fields
}

CollectionGroup_aggregated_count

Fields
Field Name Description
coverObject - Int
date_created - Int
date_updated - Int
description - Int
hasCollection - Int
id - Int
isPartOfExhibition - Int
name - Int
sort - Int
status - Int
user_created - Int
user_updated - Int
Example
{
  "coverObject": 123,
  "date_created": 987,
  "date_updated": 987,
  "description": 987,
  "hasCollection": 123,
  "id": 123,
  "isPartOfExhibition": 987,
  "name": 123,
  "sort": 987,
  "status": 987,
  "user_created": 123,
  "user_updated": 123
}

CollectionGroup_aggregated_fields

Fields
Field Name Description
sort - Float
Example
{"sort": 123.45}

CollectionGroup_mutated

Fields
Field Name Description
data - CollectionGroup
event - EventEnum
key - ID!
Example
{
  "data": CollectionGroup,
  "event": "create",
  "key": "4"
}

CollectionListHasMediaObject

Fields
Field Name Description
additionalType - String
applet - [String]
articleBody - String
assetId - String
audio - String
contentUrl - String
date_created - String
date_updated - String
description - String
hasCharacter - [String]
hasPin - [String]
id - String
image - String
isPartOfCollection - String
isPartOfExhibition - [String]
isPartOfNarrativePlace - [String]
keyword - [String]
mediaRelationship - [String]
messageBody - String
name - String
page - [String]
playerType - String
sort - Int
status - String
thumbnail - String
userActivity - [String]
userMediaState - [String]
user_created - String
user_updated - String
Example
{
  "additionalType": "abc123",
  "applet": ["abc123"],
  "articleBody": "abc123",
  "assetId": "abc123",
  "audio": "xyz789",
  "contentUrl": "abc123",
  "date_created": "abc123",
  "date_updated": "abc123",
  "description": "xyz789",
  "hasCharacter": ["xyz789"],
  "hasPin": ["xyz789"],
  "id": "xyz789",
  "image": "abc123",
  "isPartOfCollection": "abc123",
  "isPartOfExhibition": ["xyz789"],
  "isPartOfNarrativePlace": ["xyz789"],
  "keyword": ["abc123"],
  "mediaRelationship": ["abc123"],
  "messageBody": "abc123",
  "name": "abc123",
  "page": ["abc123"],
  "playerType": "abc123",
  "sort": 123,
  "status": "abc123",
  "thumbnail": "xyz789",
  "userActivity": ["xyz789"],
  "userMediaState": ["xyz789"],
  "user_created": "xyz789",
  "user_updated": "abc123"
}

CollectionListIsPartOfCollectionGroup

Fields
Field Name Description
name - String
Example
{"name": "abc123"}

CollectionListLockedImage

Fields
Field Name Description
filename_disk - String
Example
{"filename_disk": "xyz789"}

CollectionListPushNotification

Fields
Field Name Description
subtitle - String
text - String
Example
{
  "subtitle": "abc123",
  "text": "abc123"
}

CollectionListResponse

Fields
Field Name Description
description - String
hasMediaObject - [CollectionListHasMediaObject]
id - String
isPartOfCollectionGroup - CollectionListIsPartOfCollectionGroup
lockedImage - CollectionListLockedImage
name - String
pushNotification - [CollectionListPushNotification]
Example
{
  "description": "xyz789",
  "hasMediaObject": [CollectionListHasMediaObject],
  "id": "xyz789",
  "isPartOfCollectionGroup": CollectionListIsPartOfCollectionGroup,
  "lockedImage": CollectionListLockedImage,
  "name": "abc123",
  "pushNotification": [CollectionListPushNotification]
}

Collection_aggregated

Example
{
  "avg": Collection_aggregated_fields,
  "avgDistinct": Collection_aggregated_fields,
  "count": Collection_aggregated_count,
  "countAll": 123,
  "countDistinct": Collection_aggregated_count,
  "group": {},
  "max": Collection_aggregated_fields,
  "min": Collection_aggregated_fields,
  "sum": Collection_aggregated_fields,
  "sumDistinct": Collection_aggregated_fields
}

Collection_aggregated_count

Fields
Field Name Description
date_created - Int
date_updated - Int
description - Int
hasMediaObject - Int
id - Int
isDeliveredByBeaconGroup - Int
isPartOfCollectionGroup - Int
lockedImage - Int
name - Int
pushNotification - Int
sort - Int
status - Int
unlockedImage - Int
userUnlockState - Int
user_created - Int
user_updated - Int
Example
{
  "date_created": 123,
  "date_updated": 123,
  "description": 123,
  "hasMediaObject": 987,
  "id": 123,
  "isDeliveredByBeaconGroup": 987,
  "isPartOfCollectionGroup": 987,
  "lockedImage": 123,
  "name": 987,
  "pushNotification": 987,
  "sort": 987,
  "status": 123,
  "unlockedImage": 987,
  "userUnlockState": 987,
  "user_created": 987,
  "user_updated": 987
}

Collection_aggregated_fields

Fields
Field Name Description
sort - Float
Example
{"sort": 123.45}

Collection_mutated

Fields
Field Name Description
data - Collection
event - EventEnum
key - ID!
Example
{"data": Collection, "event": "create", "key": 4}

Contributor

Fields
Field Name Description
date_created - Date
date_created_func - datetime_functions
date_updated - Date
date_updated_func - datetime_functions
description - String
familyName - String
givenName - String
id - ID!
image - directus_files
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
mediaRelationship - [MediaRelationship]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
mediaRelationship_func - count_functions
sort - Int
status - String
user_created - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
user_updated - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
Example
{
  "date_created": "2007-12-03",
  "date_created_func": datetime_functions,
  "date_updated": "2007-12-03",
  "date_updated_func": datetime_functions,
  "description": "xyz789",
  "familyName": "xyz789",
  "givenName": "abc123",
  "id": "4",
  "image": directus_files,
  "mediaRelationship": [MediaRelationship],
  "mediaRelationship_func": count_functions,
  "sort": 987,
  "status": "abc123",
  "user_created": directus_users,
  "user_updated": directus_users
}

Contributor_aggregated

Example
{
  "avg": Contributor_aggregated_fields,
  "avgDistinct": Contributor_aggregated_fields,
  "count": Contributor_aggregated_count,
  "countAll": 123,
  "countDistinct": Contributor_aggregated_count,
  "group": {},
  "max": Contributor_aggregated_fields,
  "min": Contributor_aggregated_fields,
  "sum": Contributor_aggregated_fields,
  "sumDistinct": Contributor_aggregated_fields
}

Contributor_aggregated_count

Fields
Field Name Description
date_created - Int
date_updated - Int
description - Int
familyName - Int
givenName - Int
id - Int
image - Int
mediaRelationship - Int
sort - Int
status - Int
user_created - Int
user_updated - Int
Example
{
  "date_created": 987,
  "date_updated": 123,
  "description": 987,
  "familyName": 987,
  "givenName": 123,
  "id": 123,
  "image": 123,
  "mediaRelationship": 123,
  "sort": 987,
  "status": 987,
  "user_created": 987,
  "user_updated": 123
}

Contributor_aggregated_fields

Fields
Field Name Description
sort - Float
Example
{"sort": 987.65}

Contributor_mutated

Fields
Field Name Description
data - Contributor
event - EventEnum
key - ID!
Example
{
  "data": Contributor,
  "event": "create",
  "key": "4"
}

Country

Description

A recognized international entity. Primarily used to document visitor origin for privacy reasons. Identifiers are very important here. The object itself needs to include a US English name in addition to ISO codes as identifier properties.

Fields
Field Name Description
alternateName - String
id - uuid!
identifier - [CountryIdentifier!]! An array relationship
Arguments
distinct_on - [CountryIdentifier_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [CountryIdentifier_order_by!]

sort the rows by one or more columns

where - CountryIdentifier_bool_exp

filter the rows returned

name - String
person - [Person!]! An array relationship
Arguments
distinct_on - [Person_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [Person_order_by!]

sort the rows by one or more columns

where - Person_bool_exp

filter the rows returned

postalAddresses - [PostalAddress!]! An array relationship
Arguments
distinct_on - [PostalAddress_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [PostalAddress_order_by!]

sort the rows by one or more columns

where - PostalAddress_bool_exp

filter the rows returned

Example
{
  "alternateName": "abc123",
  "id": uuid,
  "identifier": [CountryIdentifier],
  "name": "xyz789",
  "person": [Person],
  "postalAddresses": [PostalAddress]
}

CountryIdentifier

Description

columns and relationships of "CountryIdentifier"

Fields
Field Name Description
country - Country An object relationship
countryId - uuid
id - uuid!
name - String
value - String
valueReference - String
Example
{
  "country": Country,
  "countryId": uuid,
  "id": uuid,
  "name": "xyz789",
  "value": "xyz789",
  "valueReference": "xyz789"
}

CreativeWorkIdentifier

Description

columns and relationships of "CreativeWorkIdentifier"

Fields
Field Name Description
creativeWorkId - uuid
id - uuid!
name - String
value - String
valueReference - String
Example
{
  "creativeWorkId": uuid,
  "id": uuid,
  "name": "abc123",
  "value": "xyz789",
  "valueReference": "xyz789"
}

CreditsRole

Fields
Field Name Description
date_created - Date
date_created_func - datetime_functions
date_updated - Date
date_updated_func - datetime_functions
id - ID!
mediaRelationship - [MediaRelationship]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
mediaRelationship_func - count_functions
name - String
sort - Int
status - String
user_created - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
user_updated - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
Example
{
  "date_created": "2007-12-03",
  "date_created_func": datetime_functions,
  "date_updated": "2007-12-03",
  "date_updated_func": datetime_functions,
  "id": 4,
  "mediaRelationship": [MediaRelationship],
  "mediaRelationship_func": count_functions,
  "name": "abc123",
  "sort": 123,
  "status": "abc123",
  "user_created": directus_users,
  "user_updated": directus_users
}

CreditsRole_aggregated

Example
{
  "avg": CreditsRole_aggregated_fields,
  "avgDistinct": CreditsRole_aggregated_fields,
  "count": CreditsRole_aggregated_count,
  "countAll": 123,
  "countDistinct": CreditsRole_aggregated_count,
  "group": {},
  "max": CreditsRole_aggregated_fields,
  "min": CreditsRole_aggregated_fields,
  "sum": CreditsRole_aggregated_fields,
  "sumDistinct": CreditsRole_aggregated_fields
}

CreditsRole_aggregated_count

Fields
Field Name Description
date_created - Int
date_updated - Int
id - Int
mediaRelationship - Int
name - Int
sort - Int
status - Int
user_created - Int
user_updated - Int
Example
{
  "date_created": 123,
  "date_updated": 123,
  "id": 987,
  "mediaRelationship": 987,
  "name": 987,
  "sort": 123,
  "status": 987,
  "user_created": 987,
  "user_updated": 123
}

CreditsRole_aggregated_fields

Fields
Field Name Description
sort - Float
Example
{"sort": 123.45}

CreditsRole_mutated

Fields
Field Name Description
data - CreditsRole
event - EventEnum
key - ID!
Example
{
  "data": CreditsRole,
  "event": "create",
  "key": "4"
}

DeliveryEventIdentifier

Description

columns and relationships of "DeliveryEventIdentifier"

Fields
Field Name Description
deliveryEventId - uuid
id - uuid!
name - String
value - String
valueReference - String
Example
{
  "deliveryEventId": uuid,
  "id": uuid,
  "name": "xyz789",
  "value": "xyz789",
  "valueReference": "xyz789"
}

DeliveryMethodIdentifier

Description

columns and relationships of "DeliveryMethodIdentifier"

Fields
Field Name Description
deliveryMethodId - uuid
id - uuid!
name - String
value - String
valueReference - String
Example
{
  "deliveryMethodId": uuid,
  "id": uuid,
  "name": "xyz789",
  "value": "xyz789",
  "valueReference": "abc123"
}

DreamTvSuggestion

Fields
Field Name Description
additionalType - String
applet - [String]
articleBody - String
assetId - String
audio - String
contentUrl - String
date_created - String
date_updated - String
description - String
id - String
image - String
keyword - [String]
messageBody - String
name - String
playerType - String
sort - Int
status - String
thumbnail - String
userMediaState - [DtvUserMediaState]
Example
{
  "additionalType": "abc123",
  "applet": ["xyz789"],
  "articleBody": "xyz789",
  "assetId": "xyz789",
  "audio": "xyz789",
  "contentUrl": "xyz789",
  "date_created": "abc123",
  "date_updated": "xyz789",
  "description": "abc123",
  "id": "abc123",
  "image": "abc123",
  "keyword": ["abc123"],
  "messageBody": "abc123",
  "name": "abc123",
  "playerType": "abc123",
  "sort": 123,
  "status": "xyz789",
  "thumbnail": "xyz789",
  "userMediaState": [DtvUserMediaState]
}

DreamTvSuggestionResponse

Fields
Field Name Description
data - [DreamTvSuggestion]
version - String
Example
{
  "data": [DreamTvSuggestion],
  "version": "abc123"
}

DtvUserMediaState

Fields
Field Name Description
favorite - Boolean
firstOpenDate - String
lastOpenDate - String
progressRate - String
userInteractionCount - Int
Example
{
  "favorite": true,
  "firstOpenDate": "abc123",
  "lastOpenDate": "abc123",
  "progressRate": "xyz789",
  "userInteractionCount": 123
}

Entry

Description

A particular entry time for an event. Some events have thousands, because they refer to regular admissions to a permanent exhibition. Some events have one, because they are a one-time concert from a touring musician.

Fields
Field Name Description
dateCreated - timestamp
dateDeleted - timestamp
dateModified - timestamp
doorTime - timestamp
endDate - timestamp
eventStatus - EventStatusType An object relationship
eventStatusTypeName - EventStatusType_enum
id - uuid!
identifier - [EntryIdentifier!]! An array relationship
Arguments
distinct_on - [EntryIdentifier_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [EntryIdentifier_order_by!]

sort the rows by one or more columns

where - EntryIdentifier_bool_exp

filter the rows returned

maximumAttendeeCapacity - Int
maximumPhysicalAttendeeCapacity - Int
maximumVirtualAttendeeCapacity - Int
previousStartDate - timestamp
reservationFor - [Reservation!]! An array relationship
Arguments
distinct_on - [Reservation_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [Reservation_order_by!]

sort the rows by one or more columns

where - Reservation_bool_exp

filter the rows returned

startDate - timestamp
superEvent - Event! An object relationship
superEventId - uuid!
Example
{
  "dateCreated": timestamp,
  "dateDeleted": timestamp,
  "dateModified": timestamp,
  "doorTime": timestamp,
  "endDate": timestamp,
  "eventStatus": EventStatusType,
  "eventStatusTypeName": "EventCancelled",
  "id": uuid,
  "identifier": [EntryIdentifier],
  "maximumAttendeeCapacity": 123,
  "maximumPhysicalAttendeeCapacity": 987,
  "maximumVirtualAttendeeCapacity": 123,
  "previousStartDate": timestamp,
  "reservationFor": [Reservation],
  "startDate": timestamp,
  "superEvent": Event,
  "superEventId": uuid
}

EntryIdentifier

Description

columns and relationships of "EntryIdentifier"

Fields
Field Name Description
entry - Entry An object relationship
entryId - uuid
id - uuid!
name - String
value - String
valueReference - String
Example
{
  "entry": Entry,
  "entryId": uuid,
  "id": uuid,
  "name": "abc123",
  "value": "xyz789",
  "valueReference": "abc123"
}

Event

Description

A performance, activity, or experience in a particular place and with particular content, but not at a particular time. Examples: * Admission to Omega Mart * A private party in Perplexiplex * A concert in Fancy Town * A workshop in the Education Center

Fields
Field Name Description
duration - String
eventStatus - EventStatusType An object relationship
eventStatusTypeName - EventStatusType_enum
id - uuid!
identifier - [EventIdentifier!]! An array relationship
Arguments
distinct_on - [EventIdentifier_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [EventIdentifier_order_by!]

sort the rows by one or more columns

where - EventIdentifier_bool_exp

filter the rows returned

isAccessibleForFree - Boolean
location - Place An object relationship
locationId - uuid
name - String
subEvent - [Entry!]! An array relationship
Arguments
distinct_on - [Entry_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [Entry_order_by!]

sort the rows by one or more columns

where - Entry_bool_exp

filter the rows returned

typicalAgeRange - String
Example
{
  "duration": "xyz789",
  "eventStatus": EventStatusType,
  "eventStatusTypeName": "EventCancelled",
  "id": uuid,
  "identifier": [EventIdentifier],
  "isAccessibleForFree": true,
  "location": Place,
  "locationId": uuid,
  "name": "abc123",
  "subEvent": [Entry],
  "typicalAgeRange": "abc123"
}

EventIdentifier

Description

columns and relationships of "EventIdentifier"

Fields
Field Name Description
event - Event An object relationship
eventId - uuid
id - uuid!
name - String
value - String
valueReference - String
Example
{
  "event": Event,
  "eventId": uuid,
  "id": uuid,
  "name": "abc123",
  "value": "abc123",
  "valueReference": "abc123"
}

EventStatusType

Description

Enum for controlling the status of an event or entry.

Fields
Field Name Description
description - String
name - String!
Example
{
  "description": "abc123",
  "name": "xyz789"
}

Exhibition

Fields
Field Name Description
date_created - Date
date_created_func - datetime_functions
date_updated - Date
date_updated_func - datetime_functions
directusId - Int
hasBeaconGroup - [BeaconGroup]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
hasBeaconGroup_func - count_functions
hasCollectionGroup - [CollectionGroup]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
hasCollectionGroup_func - count_functions
hasMediaObject - [MediaObject_Exhibition]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
hasMediaObject_func - count_functions
id - ID!
identifier - [ExhibitionIdentifier]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
identifier_func - count_functions
name - String
sort - Int
status - String
user_created - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
user_updated - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
Example
{
  "date_created": "2007-12-03",
  "date_created_func": datetime_functions,
  "date_updated": "2007-12-03",
  "date_updated_func": datetime_functions,
  "directusId": 987,
  "hasBeaconGroup": [BeaconGroup],
  "hasBeaconGroup_func": count_functions,
  "hasCollectionGroup": [CollectionGroup],
  "hasCollectionGroup_func": count_functions,
  "hasMediaObject": [MediaObject_Exhibition],
  "hasMediaObject_func": count_functions,
  "id": "4",
  "identifier": [ExhibitionIdentifier],
  "identifier_func": count_functions,
  "name": "xyz789",
  "sort": 123,
  "status": "abc123",
  "user_created": directus_users,
  "user_updated": directus_users
}

ExhibitionIdentifier

Fields
Field Name Description
date_created - Date
date_created_func - datetime_functions
date_updated - Date
date_updated_func - datetime_functions
id - ID!
identifierOf - Exhibition
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
name - String
sort - Int
status - String
user_created - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
user_updated - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
value - String
valueReference - String
Example
{
  "date_created": "2007-12-03",
  "date_created_func": datetime_functions,
  "date_updated": "2007-12-03",
  "date_updated_func": datetime_functions,
  "id": 4,
  "identifierOf": Exhibition,
  "name": "xyz789",
  "sort": 123,
  "status": "abc123",
  "user_created": directus_users,
  "user_updated": directus_users,
  "value": "xyz789",
  "valueReference": "abc123"
}

ExhibitionIdentifier_aggregated

Example
{
  "avg": ExhibitionIdentifier_aggregated_fields,
  "avgDistinct": ExhibitionIdentifier_aggregated_fields,
  "count": ExhibitionIdentifier_aggregated_count,
  "countAll": 987,
  "countDistinct": ExhibitionIdentifier_aggregated_count,
  "group": {},
  "max": ExhibitionIdentifier_aggregated_fields,
  "min": ExhibitionIdentifier_aggregated_fields,
  "sum": ExhibitionIdentifier_aggregated_fields,
  "sumDistinct": ExhibitionIdentifier_aggregated_fields
}

ExhibitionIdentifier_aggregated_count

Fields
Field Name Description
date_created - Int
date_updated - Int
id - Int
identifierOf - Int
name - Int
sort - Int
status - Int
user_created - Int
user_updated - Int
value - Int
valueReference - Int
Example
{
  "date_created": 987,
  "date_updated": 123,
  "id": 123,
  "identifierOf": 123,
  "name": 987,
  "sort": 123,
  "status": 123,
  "user_created": 123,
  "user_updated": 123,
  "value": 123,
  "valueReference": 987
}

ExhibitionIdentifier_aggregated_fields

Fields
Field Name Description
sort - Float
Example
{"sort": 987.65}

ExhibitionIdentifier_mutated

Fields
Field Name Description
data - ExhibitionIdentifier
event - EventEnum
key - ID!
Example
{
  "data": ExhibitionIdentifier,
  "event": "create",
  "key": 4
}

Exhibition_aggregated

Example
{
  "avg": Exhibition_aggregated_fields,
  "avgDistinct": Exhibition_aggregated_fields,
  "count": Exhibition_aggregated_count,
  "countAll": 987,
  "countDistinct": Exhibition_aggregated_count,
  "group": {},
  "max": Exhibition_aggregated_fields,
  "min": Exhibition_aggregated_fields,
  "sum": Exhibition_aggregated_fields,
  "sumDistinct": Exhibition_aggregated_fields
}

Exhibition_aggregated_count

Fields
Field Name Description
date_created - Int
date_updated - Int
directusId - Int
hasBeaconGroup - Int
hasCollectionGroup - Int
hasMediaObject - Int
id - Int
identifier - Int
name - Int
sort - Int
status - Int
user_created - Int
user_updated - Int
Example
{
  "date_created": 987,
  "date_updated": 987,
  "directusId": 123,
  "hasBeaconGroup": 987,
  "hasCollectionGroup": 123,
  "hasMediaObject": 123,
  "id": 987,
  "identifier": 987,
  "name": 987,
  "sort": 987,
  "status": 987,
  "user_created": 123,
  "user_updated": 123
}

Exhibition_aggregated_fields

Fields
Field Name Description
directusId - Float
sort - Float
Example
{"directusId": 987.65, "sort": 123.45}

Exhibition_mutated

Fields
Field Name Description
data - Exhibition
event - EventEnum
key - ID!
Example
{"data": Exhibition, "event": "create", "key": 4}

GenderTypeIdentifier

Description

columns and relationships of "GenderTypeIdentifier"

Fields
Field Name Description
genderTypeId - uuid
id - uuid!
name - String
value - String
valueReference - String
Example
{
  "genderTypeId": uuid,
  "id": uuid,
  "name": "abc123",
  "value": "xyz789",
  "valueReference": "abc123"
}

GyreApartmentResult

Fields
Field Name Description
assetId - String
contentUrl - String
description - String
id - String
isPartOfNarrativePlace - [IsPartOfNarrativePlace]
name - String
Example
{
  "assetId": "xyz789",
  "contentUrl": "xyz789",
  "description": "abc123",
  "id": "xyz789",
  "isPartOfNarrativePlace": [IsPartOfNarrativePlace],
  "name": "abc123"
}

Invoice

Description

How an order was paid for. Unique by payment method.

Fields
Field Name Description
accountId - String
billingPeriod - String
broker - Organization An object relationship
brokerId - uuid
confirmationNumber - String
customer - Person An object relationship
customerId - uuid
id - uuid!
identifier - [InvoiceIdentifier!]! An array relationship
Arguments
distinct_on - [InvoiceIdentifier_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [InvoiceIdentifier_order_by!]

sort the rows by one or more columns

where - InvoiceIdentifier_bool_exp

filter the rows returned

minimumPaymentDue - numeric
orderId - uuid
paymentDueDate - timestamp
paymentMethod - PaymentMethod An object relationship
paymentMethodName - PaymentMethod_enum
paymentStatus - PaymentStatusType An object relationship
paymentStatusTypeName - PaymentStatusType_enum
provider - Organization An object relationship
providerId - uuid
referencesOrder - Order An object relationship
scheduledPaymentDate - timestamp
totalPaymentDue - numeric
Example
{
  "accountId": "xyz789",
  "billingPeriod": "abc123",
  "broker": Organization,
  "brokerId": uuid,
  "confirmationNumber": "xyz789",
  "customer": Person,
  "customerId": uuid,
  "id": uuid,
  "identifier": [InvoiceIdentifier],
  "minimumPaymentDue": numeric,
  "orderId": uuid,
  "paymentDueDate": timestamp,
  "paymentMethod": PaymentMethod,
  "paymentMethodName": "VISA",
  "paymentStatus": PaymentStatusType,
  "paymentStatusTypeName": "default",
  "provider": Organization,
  "providerId": uuid,
  "referencesOrder": Order,
  "scheduledPaymentDate": timestamp,
  "totalPaymentDue": numeric
}

InvoiceIdentifier

Description

columns and relationships of "InvoiceIdentifier"

Fields
Field Name Description
id - uuid!
invoice - Invoice An object relationship
invoiceId - uuid
name - String
value - String
valueReference - String
Example
{
  "id": uuid,
  "invoice": Invoice,
  "invoiceId": uuid,
  "name": "xyz789",
  "value": "xyz789",
  "valueReference": "xyz789"
}

IsPartOfNarrativePlace

Fields
Field Name Description
NarrativePlace_id - NarrativePlaceId
Example
{"NarrativePlace_id": NarrativePlaceId}

ItemAvailability

Description

columns and relationships of "ItemAvailability"

Fields
Field Name Description
description - String
id - uuid!
name - String!
Example
{
  "description": "abc123",
  "id": uuid,
  "name": "abc123"
}

Keyword

Fields
Field Name Description
date_created - Date
date_created_func - datetime_functions
date_updated - Date
date_updated_func - datetime_functions
description - String
hasBeaconGroup - [Keyword_BeaconGroup]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
hasBeaconGroup_func - count_functions
id - ID!
isPartOfMediaObject - [Keyword_MediaObject]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
isPartOfMediaObject_func - count_functions
name - String
sort - Int
status - String
user_created - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
user_updated - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
Example
{
  "date_created": "2007-12-03",
  "date_created_func": datetime_functions,
  "date_updated": "2007-12-03",
  "date_updated_func": datetime_functions,
  "description": "abc123",
  "hasBeaconGroup": [Keyword_BeaconGroup],
  "hasBeaconGroup_func": count_functions,
  "id": "4",
  "isPartOfMediaObject": [Keyword_MediaObject],
  "isPartOfMediaObject_func": count_functions,
  "name": "abc123",
  "sort": 123,
  "status": "xyz789",
  "user_created": directus_users,
  "user_updated": directus_users
}

Keyword_BeaconGroup

Fields
Field Name Description
BeaconGroup_id - BeaconGroup
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
Keyword_id - Keyword
Arguments
filter - Keyword_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]
id - ID!
Example
{
  "BeaconGroup_id": BeaconGroup,
  "Keyword_id": Keyword,
  "id": "4"
}

Keyword_BeaconGroup_aggregated

Example
{
  "avg": Keyword_BeaconGroup_aggregated_fields,
  "avgDistinct": Keyword_BeaconGroup_aggregated_fields,
  "count": Keyword_BeaconGroup_aggregated_count,
  "countAll": 987,
  "countDistinct": Keyword_BeaconGroup_aggregated_count,
  "group": {},
  "max": Keyword_BeaconGroup_aggregated_fields,
  "min": Keyword_BeaconGroup_aggregated_fields,
  "sum": Keyword_BeaconGroup_aggregated_fields,
  "sumDistinct": Keyword_BeaconGroup_aggregated_fields
}

Keyword_BeaconGroup_aggregated_count

Fields
Field Name Description
BeaconGroup_id - Int
Keyword_id - Int
id - Int
Example
{"BeaconGroup_id": 987, "Keyword_id": 123, "id": 987}

Keyword_BeaconGroup_aggregated_fields

Fields
Field Name Description
id - Float
Example
{"id": 123.45}

Keyword_BeaconGroup_mutated

Fields
Field Name Description
data - Keyword_BeaconGroup
event - EventEnum
key - ID!
Example
{"data": Keyword_BeaconGroup, "event": "create", "key": 4}

Keyword_MediaObject

Fields
Field Name Description
Keyword_id - Keyword
Arguments
filter - Keyword_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]
MediaObject_id - MediaObject
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
id - ID!
Example
{
  "Keyword_id": Keyword,
  "MediaObject_id": MediaObject,
  "id": 4
}

Keyword_MediaObject_aggregated

Example
{
  "avg": Keyword_MediaObject_aggregated_fields,
  "avgDistinct": Keyword_MediaObject_aggregated_fields,
  "count": Keyword_MediaObject_aggregated_count,
  "countAll": 123,
  "countDistinct": Keyword_MediaObject_aggregated_count,
  "group": {},
  "max": Keyword_MediaObject_aggregated_fields,
  "min": Keyword_MediaObject_aggregated_fields,
  "sum": Keyword_MediaObject_aggregated_fields,
  "sumDistinct": Keyword_MediaObject_aggregated_fields
}

Keyword_MediaObject_aggregated_count

Fields
Field Name Description
Keyword_id - Int
MediaObject_id - Int
id - Int
Example
{"Keyword_id": 987, "MediaObject_id": 123, "id": 123}

Keyword_MediaObject_aggregated_fields

Fields
Field Name Description
id - Float
Example
{"id": 123.45}

Keyword_MediaObject_mutated

Fields
Field Name Description
data - Keyword_MediaObject
event - EventEnum
key - ID!
Example
{"data": Keyword_MediaObject, "event": "create", "key": 4}

Keyword_aggregated

Example
{
  "avg": Keyword_aggregated_fields,
  "avgDistinct": Keyword_aggregated_fields,
  "count": Keyword_aggregated_count,
  "countAll": 123,
  "countDistinct": Keyword_aggregated_count,
  "group": {},
  "max": Keyword_aggregated_fields,
  "min": Keyword_aggregated_fields,
  "sum": Keyword_aggregated_fields,
  "sumDistinct": Keyword_aggregated_fields
}

Keyword_aggregated_count

Fields
Field Name Description
date_created - Int
date_updated - Int
description - Int
hasBeaconGroup - Int
id - Int
isPartOfMediaObject - Int
name - Int
sort - Int
status - Int
user_created - Int
user_updated - Int
Example
{
  "date_created": 987,
  "date_updated": 987,
  "description": 123,
  "hasBeaconGroup": 123,
  "id": 987,
  "isPartOfMediaObject": 987,
  "name": 123,
  "sort": 123,
  "status": 123,
  "user_created": 987,
  "user_updated": 123
}

Keyword_aggregated_fields

Fields
Field Name Description
sort - Float
Example
{"sort": 123.45}

Keyword_mutated

Fields
Field Name Description
data - Keyword
event - EventEnum
key - ID!
Example
{"data": Keyword, "event": "create", "key": 4}

LanguageIdentifier

Description

columns and relationships of "LanguageIdentifier"

Fields
Field Name Description
id - uuid!
languageId - uuid
name - String
value - String
valueReference - String
Example
{
  "id": uuid,
  "languageId": uuid,
  "name": "abc123",
  "value": "xyz789",
  "valueReference": "abc123"
}

MediaObject

Fields
Field Name Description
additionalType - String
applet - [MediaObject_Applet]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
applet_func - count_functions
articleBody - String
assetId - String
audio - directus_files
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
contentUrl - String
date_created - Date
date_created_func - datetime_functions
date_updated - Date
date_updated_func - datetime_functions
description - String
hasCharacter - [Character_MediaObject]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
hasCharacter_func - count_functions
hasPin - [PinnedMediaObject]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
hasPin_func - count_functions
id - ID!
image - directus_files
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
isPartOfCollection - Collection
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
isPartOfExhibition - [MediaObject_Exhibition]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
isPartOfExhibition_func - count_functions
isPartOfNarrativePlace - [NarrativePlace_MediaObject]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
isPartOfNarrativePlace_func - count_functions
keyword - [Keyword_MediaObject]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
keyword_func - count_functions
mediaRelationship - [MediaRelationship]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
mediaRelationship_func - count_functions
messageBody - String
name - String
page - [MediaObject_files]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
page_func - count_functions
playerType - String
sort - Int
status - String
thumbnail - directus_files
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
userActivity - [UserActivity]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
userActivity_func - count_functions
userMediaState - [UserMediaState]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
userMediaState_func - count_functions
user_created - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
user_updated - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
Example
{
  "additionalType": "abc123",
  "applet": [MediaObject_Applet],
  "applet_func": count_functions,
  "articleBody": "xyz789",
  "assetId": "abc123",
  "audio": directus_files,
  "contentUrl": "abc123",
  "date_created": "2007-12-03",
  "date_created_func": datetime_functions,
  "date_updated": "2007-12-03",
  "date_updated_func": datetime_functions,
  "description": "abc123",
  "hasCharacter": [Character_MediaObject],
  "hasCharacter_func": count_functions,
  "hasPin": [PinnedMediaObject],
  "hasPin_func": count_functions,
  "id": "4",
  "image": directus_files,
  "isPartOfCollection": Collection,
  "isPartOfExhibition": [MediaObject_Exhibition],
  "isPartOfExhibition_func": count_functions,
  "isPartOfNarrativePlace": [NarrativePlace_MediaObject],
  "isPartOfNarrativePlace_func": count_functions,
  "keyword": [Keyword_MediaObject],
  "keyword_func": count_functions,
  "mediaRelationship": [MediaRelationship],
  "mediaRelationship_func": count_functions,
  "messageBody": "abc123",
  "name": "xyz789",
  "page": [MediaObject_files],
  "page_func": count_functions,
  "playerType": "abc123",
  "sort": 123,
  "status": "abc123",
  "thumbnail": directus_files,
  "userActivity": [UserActivity],
  "userActivity_func": count_functions,
  "userMediaState": [UserMediaState],
  "userMediaState_func": count_functions,
  "user_created": directus_users,
  "user_updated": directus_users
}

MediaObject_Applet

Fields
Field Name Description
Applet_id - Applet
Arguments
filter - Applet_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]
MediaObject_id - MediaObject
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
id - ID!
Example
{
  "Applet_id": Applet,
  "MediaObject_id": MediaObject,
  "id": 4
}

MediaObject_Applet_aggregated

Example
{
  "avg": MediaObject_Applet_aggregated_fields,
  "avgDistinct": MediaObject_Applet_aggregated_fields,
  "count": MediaObject_Applet_aggregated_count,
  "countAll": 987,
  "countDistinct": MediaObject_Applet_aggregated_count,
  "group": {},
  "max": MediaObject_Applet_aggregated_fields,
  "min": MediaObject_Applet_aggregated_fields,
  "sum": MediaObject_Applet_aggregated_fields,
  "sumDistinct": MediaObject_Applet_aggregated_fields
}

MediaObject_Applet_aggregated_count

Fields
Field Name Description
Applet_id - Int
MediaObject_id - Int
id - Int
Example
{"Applet_id": 987, "MediaObject_id": 123, "id": 123}

MediaObject_Applet_aggregated_fields

Fields
Field Name Description
id - Float
Example
{"id": 123.45}

MediaObject_Applet_mutated

Fields
Field Name Description
data - MediaObject_Applet
event - EventEnum
key - ID!
Example
{"data": MediaObject_Applet, "event": "create", "key": 4}

MediaObject_Exhibition

Fields
Field Name Description
Exhibition_id - Exhibition
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
MediaObject_id - MediaObject
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
id - ID!
Example
{
  "Exhibition_id": Exhibition,
  "MediaObject_id": MediaObject,
  "id": "4"
}

MediaObject_Exhibition_aggregated

Example
{
  "avg": MediaObject_Exhibition_aggregated_fields,
  "avgDistinct": MediaObject_Exhibition_aggregated_fields,
  "count": MediaObject_Exhibition_aggregated_count,
  "countAll": 123,
  "countDistinct": MediaObject_Exhibition_aggregated_count,
  "group": {},
  "max": MediaObject_Exhibition_aggregated_fields,
  "min": MediaObject_Exhibition_aggregated_fields,
  "sum": MediaObject_Exhibition_aggregated_fields,
  "sumDistinct": MediaObject_Exhibition_aggregated_fields
}

MediaObject_Exhibition_aggregated_count

Fields
Field Name Description
Exhibition_id - Int
MediaObject_id - Int
id - Int
Example
{"Exhibition_id": 987, "MediaObject_id": 987, "id": 123}

MediaObject_Exhibition_aggregated_fields

Fields
Field Name Description
id - Float
Example
{"id": 123.45}

MediaObject_Exhibition_mutated

Fields
Field Name Description
data - MediaObject_Exhibition
event - EventEnum
key - ID!
Example
{
  "data": MediaObject_Exhibition,
  "event": "create",
  "key": "4"
}

MediaObject_aggregated

Example
{
  "avg": MediaObject_aggregated_fields,
  "avgDistinct": MediaObject_aggregated_fields,
  "count": MediaObject_aggregated_count,
  "countAll": 123,
  "countDistinct": MediaObject_aggregated_count,
  "group": {},
  "max": MediaObject_aggregated_fields,
  "min": MediaObject_aggregated_fields,
  "sum": MediaObject_aggregated_fields,
  "sumDistinct": MediaObject_aggregated_fields
}

MediaObject_aggregated_count

Fields
Field Name Description
additionalType - Int
applet - Int
articleBody - Int
assetId - Int
audio - Int
contentUrl - Int
date_created - Int
date_updated - Int
description - Int
hasCharacter - Int
hasPin - Int
id - Int
image - Int
isPartOfCollection - Int
isPartOfExhibition - Int
isPartOfNarrativePlace - Int
keyword - Int
mediaRelationship - Int
messageBody - Int
name - Int
page - Int
playerType - Int
sort - Int
status - Int
thumbnail - Int
userActivity - Int
userMediaState - Int
user_created - Int
user_updated - Int
Example
{
  "additionalType": 123,
  "applet": 987,
  "articleBody": 987,
  "assetId": 987,
  "audio": 987,
  "contentUrl": 987,
  "date_created": 987,
  "date_updated": 123,
  "description": 987,
  "hasCharacter": 123,
  "hasPin": 987,
  "id": 123,
  "image": 123,
  "isPartOfCollection": 123,
  "isPartOfExhibition": 123,
  "isPartOfNarrativePlace": 987,
  "keyword": 123,
  "mediaRelationship": 123,
  "messageBody": 123,
  "name": 987,
  "page": 123,
  "playerType": 123,
  "sort": 123,
  "status": 123,
  "thumbnail": 987,
  "userActivity": 987,
  "userMediaState": 987,
  "user_created": 987,
  "user_updated": 987
}

MediaObject_aggregated_fields

Fields
Field Name Description
sort - Float
Example
{"sort": 123.45}

MediaObject_files

Fields
Field Name Description
MediaObject_id - MediaObject
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
directus_files_id - directus_files
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
id - ID!
Example
{
  "MediaObject_id": MediaObject,
  "directus_files_id": directus_files,
  "id": 4
}

MediaObject_files_aggregated

Example
{
  "avg": MediaObject_files_aggregated_fields,
  "avgDistinct": MediaObject_files_aggregated_fields,
  "count": MediaObject_files_aggregated_count,
  "countAll": 987,
  "countDistinct": MediaObject_files_aggregated_count,
  "group": {},
  "max": MediaObject_files_aggregated_fields,
  "min": MediaObject_files_aggregated_fields,
  "sum": MediaObject_files_aggregated_fields,
  "sumDistinct": MediaObject_files_aggregated_fields
}

MediaObject_files_aggregated_count

Fields
Field Name Description
MediaObject_id - Int
directus_files_id - Int
id - Int
Example
{"MediaObject_id": 987, "directus_files_id": 123, "id": 123}

MediaObject_files_aggregated_fields

Fields
Field Name Description
id - Float
Example
{"id": 987.65}

MediaObject_files_mutated

Fields
Field Name Description
data - MediaObject_files
event - EventEnum
key - ID!
Example
{"data": MediaObject_files, "event": "create", "key": 4}

MediaObject_mutated

Fields
Field Name Description
data - MediaObject
event - EventEnum
key - ID!
Example
{"data": MediaObject, "event": "create", "key": 4}

MediaRelationship

Fields
Field Name Description
contributor - Contributor
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
date_created - Date
date_created_func - datetime_functions
date_updated - Date
date_updated_func - datetime_functions
hasMediaObject - MediaObject
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
id - ID!
roleName - CreditsRole
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
sort - Int
status - String
user_created - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
user_updated - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
Example
{
  "contributor": Contributor,
  "date_created": "2007-12-03",
  "date_created_func": datetime_functions,
  "date_updated": "2007-12-03",
  "date_updated_func": datetime_functions,
  "hasMediaObject": MediaObject,
  "id": "4",
  "roleName": CreditsRole,
  "sort": 987,
  "status": "abc123",
  "user_created": directus_users,
  "user_updated": directus_users
}

MediaRelationship_aggregated

Example
{
  "avg": MediaRelationship_aggregated_fields,
  "avgDistinct": MediaRelationship_aggregated_fields,
  "count": MediaRelationship_aggregated_count,
  "countAll": 123,
  "countDistinct": MediaRelationship_aggregated_count,
  "group": {},
  "max": MediaRelationship_aggregated_fields,
  "min": MediaRelationship_aggregated_fields,
  "sum": MediaRelationship_aggregated_fields,
  "sumDistinct": MediaRelationship_aggregated_fields
}

MediaRelationship_aggregated_count

Fields
Field Name Description
contributor - Int
date_created - Int
date_updated - Int
hasMediaObject - Int
id - Int
roleName - Int
sort - Int
status - Int
user_created - Int
user_updated - Int
Example
{
  "contributor": 123,
  "date_created": 987,
  "date_updated": 987,
  "hasMediaObject": 123,
  "id": 987,
  "roleName": 123,
  "sort": 123,
  "status": 123,
  "user_created": 123,
  "user_updated": 123
}

MediaRelationship_aggregated_fields

Fields
Field Name Description
sort - Float
Example
{"sort": 123.45}

MediaRelationship_mutated

Fields
Field Name Description
data - MediaRelationship
event - EventEnum
key - ID!
Example
{"data": MediaRelationship, "event": "create", "key": 4}

MembershipProgramIdentifier

Description

columns and relationships of "MembershipProgramIdentifier"

Fields
Field Name Description
id - uuid!
membershipProgramId - uuid
name - String
value - String
valueReference - String
Example
{
  "id": uuid,
  "membershipProgramId": uuid,
  "name": "xyz789",
  "value": "xyz789",
  "valueReference": "abc123"
}

NarrativePlace

Fields
Field Name Description
additionalType - String
apartmentNumber - String
date_created - Date
date_created_func - datetime_functions
date_updated - Date
date_updated_func - datetime_functions
description - String
id - ID!
image - directus_files
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
isPartOfMediaObject - [NarrativePlace_MediaObject]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
isPartOfMediaObject_func - count_functions
name - String
postalCode - String
sort - Int
status - String
streetAddress - String
user_created - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
user_updated - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
Example
{
  "additionalType": "xyz789",
  "apartmentNumber": "xyz789",
  "date_created": "2007-12-03",
  "date_created_func": datetime_functions,
  "date_updated": "2007-12-03",
  "date_updated_func": datetime_functions,
  "description": "xyz789",
  "id": 4,
  "image": directus_files,
  "isPartOfMediaObject": [NarrativePlace_MediaObject],
  "isPartOfMediaObject_func": count_functions,
  "name": "xyz789",
  "postalCode": "abc123",
  "sort": 123,
  "status": "xyz789",
  "streetAddress": "abc123",
  "user_created": directus_users,
  "user_updated": directus_users
}

NarrativePlaceId

Fields
Field Name Description
apartmentNumber - String
Example
{"apartmentNumber": "xyz789"}

NarrativePlace_MediaObject

Fields
Field Name Description
MediaObject_id - MediaObject
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
NarrativePlace_id - NarrativePlace
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
id - ID!
Example
{
  "MediaObject_id": MediaObject,
  "NarrativePlace_id": NarrativePlace,
  "id": "4"
}

NarrativePlace_MediaObject_aggregated

Example
{
  "avg": NarrativePlace_MediaObject_aggregated_fields,
  "avgDistinct": NarrativePlace_MediaObject_aggregated_fields,
  "count": NarrativePlace_MediaObject_aggregated_count,
  "countAll": 987,
  "countDistinct": NarrativePlace_MediaObject_aggregated_count,
  "group": {},
  "max": NarrativePlace_MediaObject_aggregated_fields,
  "min": NarrativePlace_MediaObject_aggregated_fields,
  "sum": NarrativePlace_MediaObject_aggregated_fields,
  "sumDistinct": NarrativePlace_MediaObject_aggregated_fields
}

NarrativePlace_MediaObject_aggregated_count

Fields
Field Name Description
MediaObject_id - Int
NarrativePlace_id - Int
id - Int
Example
{"MediaObject_id": 123, "NarrativePlace_id": 123, "id": 987}

NarrativePlace_MediaObject_aggregated_fields

Fields
Field Name Description
id - Float
Example
{"id": 987.65}

NarrativePlace_MediaObject_mutated

Fields
Field Name Description
data - NarrativePlace_MediaObject
event - EventEnum
key - ID!
Example
{
  "data": NarrativePlace_MediaObject,
  "event": "create",
  "key": "4"
}

NarrativePlace_aggregated

Example
{
  "avg": NarrativePlace_aggregated_fields,
  "avgDistinct": NarrativePlace_aggregated_fields,
  "count": NarrativePlace_aggregated_count,
  "countAll": 987,
  "countDistinct": NarrativePlace_aggregated_count,
  "group": {},
  "max": NarrativePlace_aggregated_fields,
  "min": NarrativePlace_aggregated_fields,
  "sum": NarrativePlace_aggregated_fields,
  "sumDistinct": NarrativePlace_aggregated_fields
}

NarrativePlace_aggregated_count

Fields
Field Name Description
additionalType - Int
apartmentNumber - Int
date_created - Int
date_updated - Int
description - Int
id - Int
image - Int
isPartOfMediaObject - Int
name - Int
postalCode - Int
sort - Int
status - Int
streetAddress - Int
user_created - Int
user_updated - Int
Example
{
  "additionalType": 987,
  "apartmentNumber": 987,
  "date_created": 987,
  "date_updated": 123,
  "description": 123,
  "id": 987,
  "image": 123,
  "isPartOfMediaObject": 123,
  "name": 987,
  "postalCode": 987,
  "sort": 987,
  "status": 123,
  "streetAddress": 123,
  "user_created": 987,
  "user_updated": 987
}

NarrativePlace_aggregated_fields

Fields
Field Name Description
sort - Float
Example
{"sort": 123.45}

NarrativePlace_mutated

Fields
Field Name Description
data - NarrativePlace
event - EventEnum
key - ID!
Example
{
  "data": NarrativePlace,
  "event": "create",
  "key": "4"
}

OfferCatalogIdentifier

Description

columns and relationships of "OfferCatalogIdentifier"

Fields
Field Name Description
id - uuid!
name - String
offerCatalogId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "abc123",
  "offerCatalogId": uuid,
  "value": "abc123",
  "valueReference": "xyz789"
}

Order

Description

A transaction between a customer and a business associated with goods or services. This includes purchases of tickets, RFID cards, drinks, t-shirts, and private rental arrangements.

Fields
Field Name Description
billingAddress - PostalAddress An object relationship
billingAddressId - uuid
broker - Organization An object relationship
brokerId - uuid
confirmationNumber - String
customer - Person An object relationship
customerId - uuid
discount - numeric
discountCode - String
facePrice - numeric
id - uuid!
identifier - [OrderIdentifier!]! An array relationship
Arguments
distinct_on - [OrderIdentifier_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [OrderIdentifier_order_by!]

sort the rows by one or more columns

where - OrderIdentifier_bool_exp

filter the rows returned

isGift - Boolean
orderDate - timestamp
orderNumber - String
orderStatus - OrderStatus An object relationship
orderStatusName - OrderStatus_enum
orderedItem - [OrderItem!]! An array relationship
Arguments
distinct_on - [OrderItem_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [OrderItem_order_by!]

sort the rows by one or more columns

where - OrderItem_bool_exp

filter the rows returned

partOfInvoice - [Invoice!]! An array relationship
Arguments
distinct_on - [Invoice_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [Invoice_order_by!]

sort the rows by one or more columns

where - Invoice_bool_exp

filter the rows returned

reservation - [Reservation!]! An array relationship
Arguments
distinct_on - [Reservation_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [Reservation_order_by!]

sort the rows by one or more columns

where - Reservation_bool_exp

filter the rows returned

seller - Organization! An object relationship
sellerId - uuid!
totalFee - numeric
totalPaymentDue - numeric
totalTax - numeric
Example
{
  "billingAddress": PostalAddress,
  "billingAddressId": uuid,
  "broker": Organization,
  "brokerId": uuid,
  "confirmationNumber": "abc123",
  "customer": Person,
  "customerId": uuid,
  "discount": numeric,
  "discountCode": "abc123",
  "facePrice": numeric,
  "id": uuid,
  "identifier": [OrderIdentifier],
  "isGift": true,
  "orderDate": timestamp,
  "orderNumber": "abc123",
  "orderStatus": OrderStatus,
  "orderStatusName": "OrderCancelled",
  "orderedItem": [OrderItem],
  "partOfInvoice": [Invoice],
  "reservation": [Reservation],
  "seller": Organization,
  "sellerId": uuid,
  "totalFee": numeric,
  "totalPaymentDue": numeric,
  "totalTax": numeric
}

OrderIdentifier

Description

columns and relationships of "OrderIdentifier"

Fields
Field Name Description
id - uuid!
name - String
order - Order An object relationship
orderId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "xyz789",
  "order": Order,
  "orderId": uuid,
  "value": "abc123",
  "valueReference": "xyz789"
}

OrderItem

Description

The specific line items associated with a particular order. Multiple items of the same type may be aggregated by line (e.g. one OrderItem may refer to 2 GA tickets to Omega Mart).

Fields
Field Name Description
id - uuid!
identifier - [OrderItemIdentifier!]! An array relationship
Arguments
distinct_on - [OrderItemIdentifier_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [OrderItemIdentifier_order_by!]

sort the rows by one or more columns

where - OrderItemIdentifier_bool_exp

filter the rows returned

order - Order An object relationship
orderId - uuid
orderItemStatus - OrderStatus An object relationship
orderItemStatusName - OrderStatus_enum
orderQuantity - Int
product - Product An object relationship
productId - uuid
totalPaymentDue - numeric
Example
{
  "id": uuid,
  "identifier": [OrderItemIdentifier],
  "order": Order,
  "orderId": uuid,
  "orderItemStatus": OrderStatus,
  "orderItemStatusName": "OrderCancelled",
  "orderQuantity": 987,
  "product": Product,
  "productId": uuid,
  "totalPaymentDue": numeric
}

OrderItemIdentifier

Description

columns and relationships of "OrderItemIdentifier"

Fields
Field Name Description
id - uuid!
name - String
orderItem - OrderItem An object relationship
orderItemId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "xyz789",
  "orderItem": OrderItem,
  "orderItemId": uuid,
  "value": "xyz789",
  "valueReference": "abc123"
}

OrderStatus

Description

Enum of options for recording the current state of an order.

Fields
Field Name Description
description - String
name - String!
Example
{
  "description": "xyz789",
  "name": "xyz789"
}

Organization

Description

columns and relationships of "Organization"

Fields
Field Name Description
address - [PostalAddress!]! An array relationship
Arguments
distinct_on - [PostalAddress_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [PostalAddress_order_by!]

sort the rows by one or more columns

where - PostalAddress_bool_exp

filter the rows returned

affiliated - [Person!]! An array relationship
Arguments
distinct_on - [Person_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [Person_order_by!]

sort the rows by one or more columns

where - Person_bool_exp

filter the rows returned

alternateName - String
id - uuid!
identifier - [OrganizationIdentifier!]! An array relationship
Arguments
distinct_on - [OrganizationIdentifier_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [OrganizationIdentifier_order_by!]

sort the rows by one or more columns

where - OrganizationIdentifier_bool_exp

filter the rows returned

invoice_broker - [Invoice!]! An array relationship
Arguments
distinct_on - [Invoice_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [Invoice_order_by!]

sort the rows by one or more columns

where - Invoice_bool_exp

filter the rows returned

invoice_provider - [Invoice!]! An array relationship
Arguments
distinct_on - [Invoice_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [Invoice_order_by!]

sort the rows by one or more columns

where - Invoice_bool_exp

filter the rows returned

location - Place An object relationship
locationId - uuid
name - String
order_broker - [Order!]! An array relationship
Arguments
distinct_on - [Order_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [Order_order_by!]

sort the rows by one or more columns

where - Order_bool_exp

filter the rows returned

programMembership - [ProgramMembership!]! An array relationship
Arguments
distinct_on - [ProgramMembership_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [ProgramMembership_order_by!]

sort the rows by one or more columns

where - ProgramMembership_bool_exp

filter the rows returned

reservation_broker - [Reservation!]! An array relationship
Arguments
distinct_on - [Reservation_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [Reservation_order_by!]

sort the rows by one or more columns

where - Reservation_bool_exp

filter the rows returned

reservation_proivider - [Reservation!]! An array relationship
Arguments
distinct_on - [Reservation_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [Reservation_order_by!]

sort the rows by one or more columns

where - Reservation_bool_exp

filter the rows returned

seller - [Order!]! An array relationship
Arguments
distinct_on - [Order_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [Order_order_by!]

sort the rows by one or more columns

where - Order_bool_exp

filter the rows returned

ticket - [Ticket!]! An array relationship
Arguments
distinct_on - [Ticket_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [Ticket_order_by!]

sort the rows by one or more columns

where - Ticket_bool_exp

filter the rows returned

url - String
Example
{
  "address": [PostalAddress],
  "affiliated": [Person],
  "alternateName": "xyz789",
  "id": uuid,
  "identifier": [OrganizationIdentifier],
  "invoice_broker": [Invoice],
  "invoice_provider": [Invoice],
  "location": Place,
  "locationId": uuid,
  "name": "abc123",
  "order_broker": [Order],
  "programMembership": [ProgramMembership],
  "reservation_broker": [Reservation],
  "reservation_proivider": [Reservation],
  "seller": [Order],
  "ticket": [Ticket],
  "url": "abc123"
}

OrganizationIdentifier

Description

columns and relationships of "OrganizationIdentifier"

Fields
Field Name Description
id - uuid!
name - String
organization - Organization An object relationship
organizationId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "xyz789",
  "organization": Organization,
  "organizationId": uuid,
  "value": "abc123",
  "valueReference": "abc123"
}

ParcelDeliveryIdentifier

Description

columns and relationships of "ParcelDeliveryIdentifier"

Fields
Field Name Description
id - uuid!
name - String
parcelDeliveryId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "abc123",
  "parcelDeliveryId": uuid,
  "value": "xyz789",
  "valueReference": "abc123"
}

PaymentMethod

Description

columns and relationships of "PaymentMethod"

Fields
Field Name Description
description - String
name - String!
Example
{
  "description": "abc123",
  "name": "abc123"
}

PaymentStatusType

Description

columns and relationships of "PaymentStatusType"

Fields
Field Name Description
description - String
name - String!
Example
{
  "description": "abc123",
  "name": "xyz789"
}

Person

Description

Our natural person object; equivalent to user in other systems. May include anonymized and pseudonymized users as part of in-person sales and GDPR-style deletions.

Fields
Field Name Description
address - [PostalAddress!]! An array relationship
Arguments
distinct_on - [PostalAddress_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [PostalAddress_order_by!]

sort the rows by one or more columns

where - PostalAddress_bool_exp

filter the rows returned

affiliation - Organization An object relationship
affiliationId - uuid
birthDate - date
dateCreated - timestamp
dateModified - timestamp
email - String
familyName - String
givenName - String
homeLocation - PostalAddress An object relationship
homeLocationId - uuid
honorificPrefix - String
honorificSuffix - String
id - uuid!
identifier - [PersonIdentifier!]! An array relationship
Arguments
distinct_on - [PersonIdentifier_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [PersonIdentifier_order_by!]

sort the rows by one or more columns

where - PersonIdentifier_bool_exp

filter the rows returned

invoice - [Invoice!]! An array relationship
Arguments
distinct_on - [Invoice_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [Invoice_order_by!]

sort the rows by one or more columns

where - Invoice_bool_exp

filter the rows returned

nationality - Country An object relationship
nationalityId - uuid
order - [Order!]! An array relationship
Arguments
distinct_on - [Order_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [Order_order_by!]

sort the rows by one or more columns

where - Order_bool_exp

filter the rows returned

programMembership - [ProgramMembership!]! An array relationship
Arguments
distinct_on - [ProgramMembership_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [ProgramMembership_order_by!]

sort the rows by one or more columns

where - ProgramMembership_bool_exp

filter the rows returned

reservation - [Reservation!]! An array relationship
Arguments
distinct_on - [Reservation_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [Reservation_order_by!]

sort the rows by one or more columns

where - Reservation_bool_exp

filter the rows returned

reservedTicket - [Ticket!]! An array relationship
Arguments
distinct_on - [Ticket_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [Ticket_order_by!]

sort the rows by one or more columns

where - Ticket_bool_exp

filter the rows returned

telephone - String
Example
{
  "address": [PostalAddress],
  "affiliation": Organization,
  "affiliationId": uuid,
  "birthDate": date,
  "dateCreated": timestamp,
  "dateModified": timestamp,
  "email": "xyz789",
  "familyName": "abc123",
  "givenName": "xyz789",
  "homeLocation": PostalAddress,
  "homeLocationId": uuid,
  "honorificPrefix": "abc123",
  "honorificSuffix": "abc123",
  "id": uuid,
  "identifier": [PersonIdentifier],
  "invoice": [Invoice],
  "nationality": Country,
  "nationalityId": uuid,
  "order": [Order],
  "programMembership": [ProgramMembership],
  "reservation": [Reservation],
  "reservedTicket": [Ticket],
  "telephone": "abc123"
}

PersonIdentifier

Description

columns and relationships of "PersonIdentifier"

Fields
Field Name Description
id - uuid!
name - String
person - Person An object relationship
personId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "abc123",
  "person": Person,
  "personId": uuid,
  "value": "xyz789",
  "valueReference": "abc123"
}

PinnedMediaObject

Fields
Field Name Description
applet - Applet
Arguments
filter - Applet_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]
date_created - Date
date_created_func - datetime_functions
date_updated - Date
date_updated_func - datetime_functions
endDate - Date
endDate_func - datetime_functions
id - ID!
mediaObject - MediaObject
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
pinStatus - Boolean
sort - Int
startDate - Date
startDate_func - datetime_functions
status - String
user_created - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
user_updated - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
Example
{
  "applet": Applet,
  "date_created": "2007-12-03",
  "date_created_func": datetime_functions,
  "date_updated": "2007-12-03",
  "date_updated_func": datetime_functions,
  "endDate": "2007-12-03",
  "endDate_func": datetime_functions,
  "id": 4,
  "mediaObject": MediaObject,
  "pinStatus": false,
  "sort": 987,
  "startDate": "2007-12-03",
  "startDate_func": datetime_functions,
  "status": "xyz789",
  "user_created": directus_users,
  "user_updated": directus_users
}

PinnedMediaObject_aggregated

Example
{
  "avg": PinnedMediaObject_aggregated_fields,
  "avgDistinct": PinnedMediaObject_aggregated_fields,
  "count": PinnedMediaObject_aggregated_count,
  "countAll": 987,
  "countDistinct": PinnedMediaObject_aggregated_count,
  "group": {},
  "max": PinnedMediaObject_aggregated_fields,
  "min": PinnedMediaObject_aggregated_fields,
  "sum": PinnedMediaObject_aggregated_fields,
  "sumDistinct": PinnedMediaObject_aggregated_fields
}

PinnedMediaObject_aggregated_count

Fields
Field Name Description
applet - Int
date_created - Int
date_updated - Int
endDate - Int
id - Int
mediaObject - Int
pinStatus - Int
sort - Int
startDate - Int
status - Int
user_created - Int
user_updated - Int
Example
{
  "applet": 123,
  "date_created": 987,
  "date_updated": 123,
  "endDate": 123,
  "id": 123,
  "mediaObject": 123,
  "pinStatus": 987,
  "sort": 987,
  "startDate": 123,
  "status": 123,
  "user_created": 987,
  "user_updated": 987
}

PinnedMediaObject_aggregated_fields

Fields
Field Name Description
sort - Float
Example
{"sort": 123.45}

PinnedMediaObject_mutated

Fields
Field Name Description
data - PinnedMediaObject
event - EventEnum
key - ID!
Example
{"data": PinnedMediaObject, "event": "create", "key": 4}

Place

Description

A real place that events or actions can happen at. Defined by the human-important sense of place-iness, not governmental or other definitions. For that, look at AdministrativeArea. Examples: Omega Mart, Santa Fe Brewing Company, Perplexiplex

Fields
Field Name Description
additionalProperty - jsonb
Arguments
path - String

JSON select path

address - [PostalAddress!]! An array relationship
Arguments
distinct_on - [PostalAddress_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [PostalAddress_order_by!]

sort the rows by one or more columns

where - PostalAddress_bool_exp

filter the rows returned

currenciesAccepted - String
description - String
event - [Event!]! An array relationship
Arguments
distinct_on - [Event_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [Event_order_by!]

sort the rows by one or more columns

where - Event_bool_exp

filter the rows returned

hasMap - String
id - uuid!
identifier - [PlaceIdentifier!]! An array relationship
Arguments
distinct_on - [PlaceIdentifier_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [PlaceIdentifier_order_by!]

sort the rows by one or more columns

where - PlaceIdentifier_bool_exp

filter the rows returned

isAccessibleForFree - Boolean
latitude - numeric
longitude - numeric
maximumAttendeeCapacity - Int
name - String
organization - [Organization!]! An array relationship
Arguments
distinct_on - [Organization_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [Organization_order_by!]

sort the rows by one or more columns

where - Organization_bool_exp

filter the rows returned

priceRange - String
publicAccess - Boolean
slogan - String
smokingAllowed - Boolean
telephone - String
tourBookingPage - String
url - String
Example
{
  "additionalProperty": jsonb,
  "address": [PostalAddress],
  "currenciesAccepted": "xyz789",
  "description": "xyz789",
  "event": [Event],
  "hasMap": "xyz789",
  "id": uuid,
  "identifier": [PlaceIdentifier],
  "isAccessibleForFree": true,
  "latitude": numeric,
  "longitude": numeric,
  "maximumAttendeeCapacity": 123,
  "name": "xyz789",
  "organization": [Organization],
  "priceRange": "xyz789",
  "publicAccess": true,
  "slogan": "abc123",
  "smokingAllowed": true,
  "telephone": "xyz789",
  "tourBookingPage": "abc123",
  "url": "xyz789"
}

PlaceIdentifier

Description

columns and relationships of "PlaceIdentifier"

Fields
Field Name Description
id - uuid!
name - String
place - Place An object relationship
placeId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "abc123",
  "place": Place,
  "placeId": uuid,
  "value": "xyz789",
  "valueReference": "xyz789"
}

PostalAddress

Description

The address of a person, place, or thing. Implied that it is a deliverable (real) location. For fictional places, please use a different object.

Fields
Field Name Description
addressCountry - Country An object relationship
addressCountryId - uuid
addressLocality - String
addressRegion - String
id - uuid!
identifier - [PostalAddressIdentifier!]! An array relationship
Arguments
distinct_on - [PostalAddressIdentifier_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [PostalAddressIdentifier_order_by!]

sort the rows by one or more columns

where - PostalAddressIdentifier_bool_exp

filter the rows returned

name - String
order - [Order!]! An array relationship
Arguments
distinct_on - [Order_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [Order_order_by!]

sort the rows by one or more columns

where - Order_bool_exp

filter the rows returned

organization - Organization An object relationship
organizationId - uuid
person - Person An object relationship
place - Place An object relationship
placeId - uuid
postOfficeBoxNumber - String
postalCode - String
streetAddress - String
telephone - String
Example
{
  "addressCountry": Country,
  "addressCountryId": uuid,
  "addressLocality": "abc123",
  "addressRegion": "xyz789",
  "id": uuid,
  "identifier": [PostalAddressIdentifier],
  "name": "xyz789",
  "order": [Order],
  "organization": Organization,
  "organizationId": uuid,
  "person": Person,
  "place": Place,
  "placeId": uuid,
  "postOfficeBoxNumber": "abc123",
  "postalCode": "xyz789",
  "streetAddress": "xyz789",
  "telephone": "abc123"
}

PostalAddressIdentifier

Description

columns and relationships of "PostalAddressIdentifier"

Fields
Field Name Description
id - uuid!
name - String
postalAddress - PostalAddress An object relationship
postalAddressId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "abc123",
  "postalAddress": PostalAddress,
  "postalAddressId": uuid,
  "value": "abc123",
  "valueReference": "abc123"
}

Product

Description

A good or service that can be transferred or provided to a person. Examples: T-shirt, admission ticket, RFID card, beer, microphone rental.

Fields
Field Name Description
additionalProperty - String
color - String
depth - String
hasMeasurement - String
height - String
id - uuid!
identifier - [ProductIdentifier!]! An array relationship
Arguments
distinct_on - [ProductIdentifier_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [ProductIdentifier_order_by!]

sort the rows by one or more columns

where - ProductIdentifier_bool_exp

filter the rows returned

isVariantOf - ProductGroup An object relationship
isVariantOfId - uuid
material - String
name - String
orderItem - [OrderItem!]! An array relationship
Arguments
distinct_on - [OrderItem_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [OrderItem_order_by!]

sort the rows by one or more columns

where - OrderItem_bool_exp

filter the rows returned

productID - String
sku - String
weight - String
width - String
Example
{
  "additionalProperty": "abc123",
  "color": "abc123",
  "depth": "xyz789",
  "hasMeasurement": "xyz789",
  "height": "xyz789",
  "id": uuid,
  "identifier": [ProductIdentifier],
  "isVariantOf": ProductGroup,
  "isVariantOfId": uuid,
  "material": "xyz789",
  "name": "abc123",
  "orderItem": [OrderItem],
  "productID": "xyz789",
  "sku": "xyz789",
  "weight": "abc123",
  "width": "xyz789"
}

ProductGroup

Description

columns and relationships of "ProductGroup"

Fields
Field Name Description
additionalProperty - String
color - String
depth - String
hasMeasurement - String
hasVariant - [Product!]! An array relationship
Arguments
distinct_on - [Product_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [Product_order_by!]

sort the rows by one or more columns

where - Product_bool_exp

filter the rows returned

height - String
id - uuid!
identifier - [ProductGroupIdentifier!]! An array relationship
Arguments
distinct_on - [ProductGroupIdentifier_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [ProductGroupIdentifier_order_by!]

sort the rows by one or more columns

where - ProductGroupIdentifier_bool_exp

filter the rows returned

material - String
name - String
productGroupId - String
productId - String
sku - String
variesBy - String
weight - String
width - String
Example
{
  "additionalProperty": "abc123",
  "color": "xyz789",
  "depth": "abc123",
  "hasMeasurement": "xyz789",
  "hasVariant": [Product],
  "height": "xyz789",
  "id": uuid,
  "identifier": [ProductGroupIdentifier],
  "material": "xyz789",
  "name": "abc123",
  "productGroupId": "abc123",
  "productId": "abc123",
  "sku": "abc123",
  "variesBy": "abc123",
  "weight": "abc123",
  "width": "abc123"
}

ProductGroupIdentifier

Description

columns and relationships of "ProductGroupIdentifier"

Fields
Field Name Description
id - uuid!
name - String
productGroup - ProductGroup An object relationship
productGroupId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "xyz789",
  "productGroup": ProductGroup,
  "productGroupId": uuid,
  "value": "xyz789",
  "valueReference": "xyz789"
}

ProductIdentifier

Description

columns and relationships of "ProductIdentifier"

Fields
Field Name Description
id - uuid!
name - String
product - Product An object relationship
productId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "xyz789",
  "product": Product,
  "productId": uuid,
  "value": "xyz789",
  "valueReference": "xyz789"
}

ProductModelIdentifier

Description

columns and relationships of "ProductModelIdentifier"

Fields
Field Name Description
id - uuid!
name - String
productModelId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "abc123",
  "productModelId": uuid,
  "value": "xyz789",
  "valueReference": "abc123"
}

ProgramMembership

Description

A membership to a particular program, corresponding to one person's membership. If one person has two memberships, they will have two ProgramMembership objects.

Fields
Field Name Description
hostingOrganization - Organization An object relationship
hostingOrganizationId - uuid
id - uuid!
identifier - [ProgramMembershipIdentifier!]! An array relationship
Arguments
distinct_on - [ProgramMembershipIdentifier_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [ProgramMembershipIdentifier_order_by!]

sort the rows by one or more columns

where - ProgramMembershipIdentifier_bool_exp

filter the rows returned

member - Person An object relationship
memberId - uuid
membershipNumber - String
membershipPointsEarned - Int
programId - uuid
reservation - [Reservation!]! An array relationship
Arguments
distinct_on - [Reservation_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [Reservation_order_by!]

sort the rows by one or more columns

where - Reservation_bool_exp

filter the rows returned

validFrom - timestamp
validThrough - timestamp
Example
{
  "hostingOrganization": Organization,
  "hostingOrganizationId": uuid,
  "id": uuid,
  "identifier": [ProgramMembershipIdentifier],
  "member": Person,
  "memberId": uuid,
  "membershipNumber": "abc123",
  "membershipPointsEarned": 987,
  "programId": uuid,
  "reservation": [Reservation],
  "validFrom": timestamp,
  "validThrough": timestamp
}

ProgramMembershipIdentifier

Description

columns and relationships of "ProgramMembershipIdentifier"

Fields
Field Name Description
id - uuid!
name - String
programMembership - ProgramMembership An object relationship
programMembershipId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "xyz789",
  "programMembership": ProgramMembership,
  "programMembershipId": uuid,
  "value": "abc123",
  "valueReference": "xyz789"
}

PushNotification

Fields
Field Name Description
date_created - Date
date_created_func - datetime_functions
date_updated - Date
date_updated_func - datetime_functions
id - ID!
isPartOfCollection - Collection
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
name - String
sort - Int
status - String
subtitle - String
text - String
user_created - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
user_updated - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
Example
{
  "date_created": "2007-12-03",
  "date_created_func": datetime_functions,
  "date_updated": "2007-12-03",
  "date_updated_func": datetime_functions,
  "id": "4",
  "isPartOfCollection": Collection,
  "name": "xyz789",
  "sort": 123,
  "status": "xyz789",
  "subtitle": "xyz789",
  "text": "xyz789",
  "user_created": directus_users,
  "user_updated": directus_users
}

PushNotification_aggregated

Example
{
  "avg": PushNotification_aggregated_fields,
  "avgDistinct": PushNotification_aggregated_fields,
  "count": PushNotification_aggregated_count,
  "countAll": 987,
  "countDistinct": PushNotification_aggregated_count,
  "group": {},
  "max": PushNotification_aggregated_fields,
  "min": PushNotification_aggregated_fields,
  "sum": PushNotification_aggregated_fields,
  "sumDistinct": PushNotification_aggregated_fields
}

PushNotification_aggregated_count

Fields
Field Name Description
date_created - Int
date_updated - Int
id - Int
isPartOfCollection - Int
name - Int
sort - Int
status - Int
subtitle - Int
text - Int
user_created - Int
user_updated - Int
Example
{
  "date_created": 123,
  "date_updated": 987,
  "id": 123,
  "isPartOfCollection": 987,
  "name": 987,
  "sort": 987,
  "status": 123,
  "subtitle": 987,
  "text": 123,
  "user_created": 123,
  "user_updated": 987
}

PushNotification_aggregated_fields

Fields
Field Name Description
sort - Float
Example
{"sort": 987.65}

PushNotification_mutated

Fields
Field Name Description
data - PushNotification
event - EventEnum
key - ID!
Example
{
  "data": PushNotification,
  "event": "create",
  "key": "4"
}

Reservation

Description

A reservation for a particular person at a particular entry time for a particular event as part of a particular order. In other words, a planned or past visit to Meow Wolf or an affiliated event.

Fields
Field Name Description
bookingTime - timestamp
broker - Organization An object relationship
brokerId - uuid
id - uuid!
identifier - [ReservationIdentifier!]! An array relationship
Arguments
distinct_on - [ReservationIdentifier_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [ReservationIdentifier_order_by!]

sort the rows by one or more columns

where - ReservationIdentifier_bool_exp

filter the rows returned

modifiedTime - timestamp
orderId - uuid
partOfOrder - Order An object relationship
priceCurrency - String
programMembershipUsed - ProgramMembership An object relationship
programMembershipUsedId - uuid
provider - Organization An object relationship
providerId - uuid
reservationFor - Entry An object relationship
reservationForId - uuid
reservationId - String
reservationStatus - ReservationStatusType An object relationship
reservationStatusTypeName - ReservationStatusType_enum
reservedTicket - [Ticket!]! An array relationship
Arguments
distinct_on - [Ticket_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [Ticket_order_by!]

sort the rows by one or more columns

where - Ticket_bool_exp

filter the rows returned

totalPrice - numeric
underName - Person An object relationship
underNameId - uuid
Example
{
  "bookingTime": timestamp,
  "broker": Organization,
  "brokerId": uuid,
  "id": uuid,
  "identifier": [ReservationIdentifier],
  "modifiedTime": timestamp,
  "orderId": uuid,
  "partOfOrder": Order,
  "priceCurrency": "xyz789",
  "programMembershipUsed": ProgramMembership,
  "programMembershipUsedId": uuid,
  "provider": Organization,
  "providerId": uuid,
  "reservationFor": Entry,
  "reservationForId": uuid,
  "reservationId": "abc123",
  "reservationStatus": ReservationStatusType,
  "reservationStatusTypeName": "ReservationCancelled",
  "reservedTicket": [Ticket],
  "totalPrice": numeric,
  "underName": Person,
  "underNameId": uuid
}

ReservationIdentifier

Description

columns and relationships of "ReservationIdentifier"

Fields
Field Name Description
id - uuid!
name - String
reservation - Reservation An object relationship
reservationId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "abc123",
  "reservation": Reservation,
  "reservationId": uuid,
  "value": "xyz789",
  "valueReference": "abc123"
}

ReservationStatusType

Description

Enum to record the reservation status.

Fields
Field Name Description
description - String
name - String!
Example
{
  "description": "abc123",
  "name": "xyz789"
}

ScheduleIdentifier

Description

columns and relationships of "ScheduleIdentifier"

Fields
Field Name Description
id - uuid!
name - String
scheduleId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "abc123",
  "scheduleId": uuid,
  "value": "xyz789",
  "valueReference": "xyz789"
}

ServiceChannelIdentifier

Description

columns and relationships of "ServiceChannelIdentifier"

Fields
Field Name Description
id - uuid!
name - String
serviceChannelId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "abc123",
  "serviceChannelId": uuid,
  "value": "abc123",
  "valueReference": "abc123"
}

SizeGroupEnumerationIdentifier

Description

columns and relationships of "SizeGroupEnumerationIdentifier"

Fields
Field Name Description
id - uuid!
name - String
sizeGroupEnumerationId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "abc123",
  "sizeGroupEnumerationId": uuid,
  "value": "abc123",
  "valueReference": "xyz789"
}

Ticket

Description

A ticket for a particular event associated with a particular reservation and entry. Often possible to reschedule or refund, so they can have complex lifecycles.

Fields
Field Name Description
dateIssued - timestamp
id - uuid!
identifier - [TicketIdentifier!]! An array relationship
Arguments
distinct_on - [TicketIdentifier_select_column!]

distinct select on columns

limit - Int

limit the number of rows returned

offset - Int

skip the first n rows. Use only with order_by

order_by - [TicketIdentifier_order_by!]

sort the rows by one or more columns

where - TicketIdentifier_bool_exp

filter the rows returned

isPartOfReservation - Reservation An object relationship
isPartOfReservationId - uuid
issuedBy - Organization An object relationship
issuedById - uuid
priceCurrency - String
ticketNumber - String
ticketToken - String
totalPrice - numeric
underName - Person An object relationship
underNameId - uuid
Example
{
  "dateIssued": timestamp,
  "id": uuid,
  "identifier": [TicketIdentifier],
  "isPartOfReservation": Reservation,
  "isPartOfReservationId": uuid,
  "issuedBy": Organization,
  "issuedById": uuid,
  "priceCurrency": "abc123",
  "ticketNumber": "abc123",
  "ticketToken": "abc123",
  "totalPrice": numeric,
  "underName": Person,
  "underNameId": uuid
}

TicketIdentifier

Description

columns and relationships of "TicketIdentifier"

Fields
Field Name Description
id - uuid!
name - String
ticket - Ticket An object relationship
ticketId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "xyz789",
  "ticket": Ticket,
  "ticketId": uuid,
  "value": "xyz789",
  "valueReference": "abc123"
}

UserActivity

Fields
Field Name Description
action - String
actionTime - Date
actionTime_func - datetime_functions
actionTrigger - String
applet - Applet
Arguments
filter - Applet_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]
date_created - Date
date_created_func - datetime_functions
date_updated - Date
date_updated_func - datetime_functions
id - ID!
mediaObject - MediaObject
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
sort - Int
status - String
user - WormholeUser
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
user_created - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
user_updated - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
Example
{
  "action": "xyz789",
  "actionTime": "2007-12-03",
  "actionTime_func": datetime_functions,
  "actionTrigger": "xyz789",
  "applet": Applet,
  "date_created": "2007-12-03",
  "date_created_func": datetime_functions,
  "date_updated": "2007-12-03",
  "date_updated_func": datetime_functions,
  "id": "4",
  "mediaObject": MediaObject,
  "sort": 123,
  "status": "abc123",
  "user": WormholeUser,
  "user_created": directus_users,
  "user_updated": directus_users
}

UserActivity_aggregated

Example
{
  "avg": UserActivity_aggregated_fields,
  "avgDistinct": UserActivity_aggregated_fields,
  "count": UserActivity_aggregated_count,
  "countAll": 123,
  "countDistinct": UserActivity_aggregated_count,
  "group": {},
  "max": UserActivity_aggregated_fields,
  "min": UserActivity_aggregated_fields,
  "sum": UserActivity_aggregated_fields,
  "sumDistinct": UserActivity_aggregated_fields
}

UserActivity_aggregated_count

Fields
Field Name Description
action - Int
actionTime - Int
actionTrigger - Int
applet - Int
date_created - Int
date_updated - Int
id - Int
mediaObject - Int
sort - Int
status - Int
user - Int
user_created - Int
user_updated - Int
Example
{
  "action": 987,
  "actionTime": 123,
  "actionTrigger": 123,
  "applet": 123,
  "date_created": 987,
  "date_updated": 123,
  "id": 987,
  "mediaObject": 987,
  "sort": 987,
  "status": 987,
  "user": 987,
  "user_created": 987,
  "user_updated": 987
}

UserActivity_aggregated_fields

Fields
Field Name Description
sort - Float
Example
{"sort": 987.65}

UserActivity_mutated

Fields
Field Name Description
data - UserActivity
event - EventEnum
key - ID!
Example
{
  "data": UserActivity,
  "event": "create",
  "key": "4"
}

UserAppletState

Fields
Field Name Description
applet - Applet
Arguments
filter - Applet_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]
date_created - Date
date_created_func - datetime_functions
date_updated - Date
date_updated_func - datetime_functions
firstOpenDate - Date
firstOpenDate_func - datetime_functions
id - ID!
lastOpenDate - Date
lastOpenDate_func - datetime_functions
sort - Int
status - String
user - WormholeUser
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
user_created - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
user_updated - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
Example
{
  "applet": Applet,
  "date_created": "2007-12-03",
  "date_created_func": datetime_functions,
  "date_updated": "2007-12-03",
  "date_updated_func": datetime_functions,
  "firstOpenDate": "2007-12-03",
  "firstOpenDate_func": datetime_functions,
  "id": 4,
  "lastOpenDate": "2007-12-03",
  "lastOpenDate_func": datetime_functions,
  "sort": 123,
  "status": "xyz789",
  "user": WormholeUser,
  "user_created": directus_users,
  "user_updated": directus_users
}

UserAppletState_aggregated

Example
{
  "avg": UserAppletState_aggregated_fields,
  "avgDistinct": UserAppletState_aggregated_fields,
  "count": UserAppletState_aggregated_count,
  "countAll": 987,
  "countDistinct": UserAppletState_aggregated_count,
  "group": {},
  "max": UserAppletState_aggregated_fields,
  "min": UserAppletState_aggregated_fields,
  "sum": UserAppletState_aggregated_fields,
  "sumDistinct": UserAppletState_aggregated_fields
}

UserAppletState_aggregated_count

Fields
Field Name Description
applet - Int
date_created - Int
date_updated - Int
firstOpenDate - Int
id - Int
lastOpenDate - Int
sort - Int
status - Int
user - Int
user_created - Int
user_updated - Int
Example
{
  "applet": 123,
  "date_created": 123,
  "date_updated": 987,
  "firstOpenDate": 987,
  "id": 123,
  "lastOpenDate": 987,
  "sort": 123,
  "status": 123,
  "user": 987,
  "user_created": 123,
  "user_updated": 123
}

UserAppletState_aggregated_fields

Fields
Field Name Description
sort - Float
Example
{"sort": 987.65}

UserAppletState_mutated

Fields
Field Name Description
data - UserAppletState
event - EventEnum
key - ID!
Example
{
  "data": UserAppletState,
  "event": "create",
  "key": "4"
}

UserMediaState

Fields
Field Name Description
applet - Applet
Arguments
filter - Applet_filter
limit - Int
offset - Int
page - Int
search - String
sort - [String]
date_created - Date
date_created_func - datetime_functions
date_updated - Date
date_updated_func - datetime_functions
favorite - Boolean
firstOpenDate - Date
firstOpenDate_func - datetime_functions
id - ID!
lastOpenDate - Date
lastOpenDate_func - datetime_functions
mediaObject - MediaObject
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
progressRate - Float
sort - Int
status - String
user - WormholeUser
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
userInteractionCount - Int
user_created - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
user_updated - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
Example
{
  "applet": Applet,
  "date_created": "2007-12-03",
  "date_created_func": datetime_functions,
  "date_updated": "2007-12-03",
  "date_updated_func": datetime_functions,
  "favorite": true,
  "firstOpenDate": "2007-12-03",
  "firstOpenDate_func": datetime_functions,
  "id": "4",
  "lastOpenDate": "2007-12-03",
  "lastOpenDate_func": datetime_functions,
  "mediaObject": MediaObject,
  "progressRate": 987.65,
  "sort": 123,
  "status": "xyz789",
  "user": WormholeUser,
  "userInteractionCount": 123,
  "user_created": directus_users,
  "user_updated": directus_users
}

UserMediaState_aggregated

Example
{
  "avg": UserMediaState_aggregated_fields,
  "avgDistinct": UserMediaState_aggregated_fields,
  "count": UserMediaState_aggregated_count,
  "countAll": 123,
  "countDistinct": UserMediaState_aggregated_count,
  "group": {},
  "max": UserMediaState_aggregated_fields,
  "min": UserMediaState_aggregated_fields,
  "sum": UserMediaState_aggregated_fields,
  "sumDistinct": UserMediaState_aggregated_fields
}

UserMediaState_aggregated_count

Fields
Field Name Description
applet - Int
date_created - Int
date_updated - Int
favorite - Int
firstOpenDate - Int
id - Int
lastOpenDate - Int
mediaObject - Int
progressRate - Int
sort - Int
status - Int
user - Int
userInteractionCount - Int
user_created - Int
user_updated - Int
Example
{
  "applet": 987,
  "date_created": 123,
  "date_updated": 987,
  "favorite": 123,
  "firstOpenDate": 987,
  "id": 987,
  "lastOpenDate": 987,
  "mediaObject": 987,
  "progressRate": 123,
  "sort": 123,
  "status": 123,
  "user": 123,
  "userInteractionCount": 987,
  "user_created": 123,
  "user_updated": 987
}

UserMediaState_aggregated_fields

Fields
Field Name Description
progressRate - Float
sort - Float
userInteractionCount - Float
Example
{"progressRate": 123.45, "sort": 987.65, "userInteractionCount": 987.65}

UserMediaState_mutated

Fields
Field Name Description
data - UserMediaState
event - EventEnum
key - ID!
Example
{
  "data": UserMediaState,
  "event": "create",
  "key": "4"
}

UserUnlockState

Fields
Field Name Description
collection - Collection
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
date_created - Date
date_created_func - datetime_functions
date_updated - Date
date_updated_func - datetime_functions
id - ID!
sort - Int
status - String
unlockStatus - String
unlockedTime - Date
unlockedTime_func - datetime_functions
user - WormholeUser
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
user_created - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
user_updated - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
Example
{
  "collection": Collection,
  "date_created": "2007-12-03",
  "date_created_func": datetime_functions,
  "date_updated": "2007-12-03",
  "date_updated_func": datetime_functions,
  "id": "4",
  "sort": 123,
  "status": "xyz789",
  "unlockStatus": "xyz789",
  "unlockedTime": "2007-12-03",
  "unlockedTime_func": datetime_functions,
  "user": WormholeUser,
  "user_created": directus_users,
  "user_updated": directus_users
}

UserUnlockState_aggregated

Example
{
  "avg": UserUnlockState_aggregated_fields,
  "avgDistinct": UserUnlockState_aggregated_fields,
  "count": UserUnlockState_aggregated_count,
  "countAll": 123,
  "countDistinct": UserUnlockState_aggregated_count,
  "group": {},
  "max": UserUnlockState_aggregated_fields,
  "min": UserUnlockState_aggregated_fields,
  "sum": UserUnlockState_aggregated_fields,
  "sumDistinct": UserUnlockState_aggregated_fields
}

UserUnlockState_aggregated_count

Fields
Field Name Description
collection - Int
date_created - Int
date_updated - Int
id - Int
sort - Int
status - Int
unlockStatus - Int
unlockedTime - Int
user - Int
user_created - Int
user_updated - Int
Example
{
  "collection": 123,
  "date_created": 987,
  "date_updated": 123,
  "id": 123,
  "sort": 123,
  "status": 987,
  "unlockStatus": 987,
  "unlockedTime": 123,
  "user": 123,
  "user_created": 123,
  "user_updated": 123
}

UserUnlockState_aggregated_fields

Fields
Field Name Description
sort - Float
Example
{"sort": 123.45}

UserUnlockState_mutated

Fields
Field Name Description
data - UserUnlockState
event - EventEnum
key - ID!
Example
{"data": UserUnlockState, "event": "create", "key": 4}

WormholeRole

Fields
Field Name Description
WormholeUser - [WormholeUser_WormholeRole]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
WormholeUser_func - count_functions
date_created - Date
date_created_func - datetime_functions
date_updated - Date
date_updated_func - datetime_functions
description - String
id - ID!
name - String!
sort - Int
status - String
user_created - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
user_updated - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
Example
{
  "WormholeUser": [WormholeUser_WormholeRole],
  "WormholeUser_func": count_functions,
  "date_created": "2007-12-03",
  "date_created_func": datetime_functions,
  "date_updated": "2007-12-03",
  "date_updated_func": datetime_functions,
  "description": "xyz789",
  "id": 4,
  "name": "xyz789",
  "sort": 123,
  "status": "xyz789",
  "user_created": directus_users,
  "user_updated": directus_users
}

WormholeRole_aggregated

Example
{
  "avg": WormholeRole_aggregated_fields,
  "avgDistinct": WormholeRole_aggregated_fields,
  "count": WormholeRole_aggregated_count,
  "countAll": 987,
  "countDistinct": WormholeRole_aggregated_count,
  "group": {},
  "max": WormholeRole_aggregated_fields,
  "min": WormholeRole_aggregated_fields,
  "sum": WormholeRole_aggregated_fields,
  "sumDistinct": WormholeRole_aggregated_fields
}

WormholeRole_aggregated_count

Fields
Field Name Description
WormholeUser - Int
date_created - Int
date_updated - Int
description - Int
id - Int
name - Int
sort - Int
status - Int
user_created - Int
user_updated - Int
Example
{
  "WormholeUser": 987,
  "date_created": 987,
  "date_updated": 987,
  "description": 987,
  "id": 987,
  "name": 123,
  "sort": 123,
  "status": 987,
  "user_created": 987,
  "user_updated": 123
}

WormholeRole_aggregated_fields

Fields
Field Name Description
sort - Float
Example
{"sort": 123.45}

WormholeRole_mutated

Fields
Field Name Description
data - WormholeRole
event - EventEnum
key - ID!
Example
{
  "data": WormholeRole,
  "event": "create",
  "key": "4"
}

WormholeUser

Fields
Field Name Description
date_created - Date
date_created_func - datetime_functions
date_updated - Date
date_updated_func - datetime_functions
id - ID!
role - [WormholeUser_WormholeRole]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
role_func - count_functions
sort - Int
status - String
userActivity - [UserActivity]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
userActivity_func - count_functions
userAppletState - [UserAppletState]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
userAppletState_func - count_functions
userMediaState - [UserMediaState]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
userMediaState_func - count_functions
userUnlockState - [UserUnlockState]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
userUnlockState_func - count_functions
user_created - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
user_updated - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
username - String
wormholeId - String
Example
{
  "date_created": "2007-12-03",
  "date_created_func": datetime_functions,
  "date_updated": "2007-12-03",
  "date_updated_func": datetime_functions,
  "id": 4,
  "role": [WormholeUser_WormholeRole],
  "role_func": count_functions,
  "sort": 987,
  "status": "xyz789",
  "userActivity": [UserActivity],
  "userActivity_func": count_functions,
  "userAppletState": [UserAppletState],
  "userAppletState_func": count_functions,
  "userMediaState": [UserMediaState],
  "userMediaState_func": count_functions,
  "userUnlockState": [UserUnlockState],
  "userUnlockState_func": count_functions,
  "user_created": directus_users,
  "user_updated": directus_users,
  "username": "xyz789",
  "wormholeId": "xyz789"
}

WormholeUser_WormholeRole

Fields
Field Name Description
WormholeRole_id - WormholeRole
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
WormholeUser_id - WormholeUser
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
id - ID!
Example
{
  "WormholeRole_id": WormholeRole,
  "WormholeUser_id": WormholeUser,
  "id": "4"
}

WormholeUser_WormholeRole_aggregated

Example
{
  "avg": WormholeUser_WormholeRole_aggregated_fields,
  "avgDistinct": WormholeUser_WormholeRole_aggregated_fields,
  "count": WormholeUser_WormholeRole_aggregated_count,
  "countAll": 123,
  "countDistinct": WormholeUser_WormholeRole_aggregated_count,
  "group": {},
  "max": WormholeUser_WormholeRole_aggregated_fields,
  "min": WormholeUser_WormholeRole_aggregated_fields,
  "sum": WormholeUser_WormholeRole_aggregated_fields,
  "sumDistinct": WormholeUser_WormholeRole_aggregated_fields
}

WormholeUser_WormholeRole_aggregated_count

Fields
Field Name Description
WormholeRole_id - Int
WormholeUser_id - Int
id - Int
Example
{"WormholeRole_id": 123, "WormholeUser_id": 123, "id": 123}

WormholeUser_WormholeRole_aggregated_fields

Fields
Field Name Description
id - Float
Example
{"id": 123.45}

WormholeUser_WormholeRole_mutated

Fields
Field Name Description
data - WormholeUser_WormholeRole
event - EventEnum
key - ID!
Example
{
  "data": WormholeUser_WormholeRole,
  "event": "create",
  "key": "4"
}

WormholeUser_aggregated

Example
{
  "avg": WormholeUser_aggregated_fields,
  "avgDistinct": WormholeUser_aggregated_fields,
  "count": WormholeUser_aggregated_count,
  "countAll": 987,
  "countDistinct": WormholeUser_aggregated_count,
  "group": {},
  "max": WormholeUser_aggregated_fields,
  "min": WormholeUser_aggregated_fields,
  "sum": WormholeUser_aggregated_fields,
  "sumDistinct": WormholeUser_aggregated_fields
}

WormholeUser_aggregated_count

Fields
Field Name Description
date_created - Int
date_updated - Int
id - Int
role - Int
sort - Int
status - Int
userActivity - Int
userAppletState - Int
userMediaState - Int
userUnlockState - Int
user_created - Int
user_updated - Int
username - Int
wormholeId - Int
Example
{
  "date_created": 123,
  "date_updated": 123,
  "id": 123,
  "role": 987,
  "sort": 123,
  "status": 987,
  "userActivity": 987,
  "userAppletState": 123,
  "userMediaState": 987,
  "userUnlockState": 123,
  "user_created": 987,
  "user_updated": 123,
  "username": 123,
  "wormholeId": 123
}

WormholeUser_aggregated_fields

Fields
Field Name Description
sort - Float
Example
{"sort": 987.65}

WormholeUser_mutated

Fields
Field Name Description
data - WormholeUser
event - EventEnum
key - ID!
Example
{
  "data": WormholeUser,
  "event": "create",
  "key": "4"
}

count_functions

Fields
Field Name Description
count - Int
Example
{"count": 123}

datetime_functions

Fields
Field Name Description
day - Int
hour - Int
minute - Int
month - Int
second - Int
week - Int
weekday - Int
year - Int
Example
{
  "day": 987,
  "hour": 987,
  "minute": 123,
  "month": 987,
  "second": 987,
  "week": 123,
  "weekday": 987,
  "year": 987
}

directus_activity

Fields
Field Name Description
action - String!
collection - String!
comment - String
id - ID!
ip - String
item - String!
origin - String
timestamp - Date
timestamp_func - datetime_functions
user - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
user_agent - String
Example
{
  "action": "abc123",
  "collection": "abc123",
  "comment": "abc123",
  "id": 4,
  "ip": "xyz789",
  "item": "abc123",
  "origin": "abc123",
  "timestamp": "2007-12-03",
  "timestamp_func": datetime_functions,
  "user": directus_users,
  "user_agent": "xyz789"
}

directus_activity_mutated

Fields
Field Name Description
data - directus_activity
event - EventEnum
key - ID!
Example
{"data": directus_activity, "event": "create", "key": 4}

directus_dashboards

Fields
Field Name Description
color - String
date_created - Date
date_created_func - datetime_functions
icon - String
id - ID!
name - String!
note - String
panels - [directus_panels]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
panels_func - count_functions
user_created - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
Example
{
  "color": "abc123",
  "date_created": "2007-12-03",
  "date_created_func": datetime_functions,
  "icon": "xyz789",
  "id": 4,
  "name": "xyz789",
  "note": "xyz789",
  "panels": [directus_panels],
  "panels_func": count_functions,
  "user_created": directus_users
}

directus_dashboards_mutated

Fields
Field Name Description
data - directus_dashboards
event - EventEnum
key - ID!
Example
{"data": directus_dashboards, "event": "create", "key": 4}

directus_files

Fields
Field Name Description
charset - String
description - String
duration - Int
embed - String
filename_disk - String
filename_download - String!
filesize - GraphQLBigInt
folder - directus_folders
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
height - Int
id - ID!
location - String
metadata - JSON
metadata_func - count_functions
modified_by - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
modified_on - Date
modified_on_func - datetime_functions
storage - String!
tags - JSON
tags_func - count_functions
title - String
type - String
uploaded_by - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
uploaded_on - Date
uploaded_on_func - datetime_functions
width - Int
Example
{
  "charset": "xyz789",
  "description": "xyz789",
  "duration": 123,
  "embed": "xyz789",
  "filename_disk": "abc123",
  "filename_download": "abc123",
  "filesize": GraphQLBigInt,
  "folder": directus_folders,
  "height": 123,
  "id": 4,
  "location": "abc123",
  "metadata": {},
  "metadata_func": count_functions,
  "modified_by": directus_users,
  "modified_on": "2007-12-03",
  "modified_on_func": datetime_functions,
  "storage": "abc123",
  "tags": {},
  "tags_func": count_functions,
  "title": "abc123",
  "type": "xyz789",
  "uploaded_by": directus_users,
  "uploaded_on": "2007-12-03",
  "uploaded_on_func": datetime_functions,
  "width": 987
}

directus_files_mutated

Fields
Field Name Description
data - directus_files
event - EventEnum
key - ID!
Example
{"data": directus_files, "event": "create", "key": 4}

directus_flows

Fields
Field Name Description
color - String
icon - String
id - ID!
name - String!
options - JSON
options_func - count_functions
trigger - String
Example
{
  "color": "abc123",
  "icon": "abc123",
  "id": 4,
  "name": "abc123",
  "options": {},
  "options_func": count_functions,
  "trigger": "xyz789"
}

directus_flows_mutated

Fields
Field Name Description
data - directus_flows
event - EventEnum
key - ID!
Example
{
  "data": directus_flows,
  "event": "create",
  "key": "4"
}

directus_folders

Fields
Field Name Description
id - ID!
name - String!
parent - directus_folders
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
Example
{
  "id": 4,
  "name": "abc123",
  "parent": directus_folders
}

directus_folders_mutated

Fields
Field Name Description
data - directus_folders
event - EventEnum
key - ID!
Example
{"data": directus_folders, "event": "create", "key": 4}

directus_notifications

Fields
Field Name Description
collection - String
id - ID!
item - String
message - String
recipient - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
sender - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
status - String
subject - String!
timestamp - Date
timestamp_func - datetime_functions
Example
{
  "collection": "xyz789",
  "id": "4",
  "item": "xyz789",
  "message": "abc123",
  "recipient": directus_users,
  "sender": directus_users,
  "status": "xyz789",
  "subject": "xyz789",
  "timestamp": "2007-12-03",
  "timestamp_func": datetime_functions
}

directus_notifications_mutated

Fields
Field Name Description
data - directus_notifications
event - EventEnum
key - ID!
Example
{
  "data": directus_notifications,
  "event": "create",
  "key": "4"
}

directus_panels

Fields
Field Name Description
color - String
dashboard - directus_dashboards
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
date_created - Date
date_created_func - datetime_functions
height - Int!
icon - String
id - ID!
name - String
note - String
options - JSON
options_func - count_functions
position_x - Int!
position_y - Int!
show_header - Boolean!
type - String!
user_created - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
width - Int!
Example
{
  "color": "xyz789",
  "dashboard": directus_dashboards,
  "date_created": "2007-12-03",
  "date_created_func": datetime_functions,
  "height": 987,
  "icon": "xyz789",
  "id": "4",
  "name": "abc123",
  "note": "xyz789",
  "options": {},
  "options_func": count_functions,
  "position_x": 987,
  "position_y": 123,
  "show_header": true,
  "type": "xyz789",
  "user_created": directus_users,
  "width": 123
}

directus_panels_mutated

Fields
Field Name Description
data - directus_panels
event - EventEnum
key - ID!
Example
{"data": directus_panels, "event": "create", "key": 4}

directus_permissions

Fields
Field Name Description
action - String!
collection - String!
fields - [String]
id - ID!
permissions - JSON
permissions_func - count_functions
presets - JSON
presets_func - count_functions
role - directus_roles
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
validation - JSON
validation_func - count_functions
Example
{
  "action": "xyz789",
  "collection": "abc123",
  "fields": ["abc123"],
  "id": 4,
  "permissions": {},
  "permissions_func": count_functions,
  "presets": {},
  "presets_func": count_functions,
  "role": directus_roles,
  "validation": {},
  "validation_func": count_functions
}

directus_permissions_mutated

Fields
Field Name Description
data - directus_permissions
event - EventEnum
key - ID!
Example
{
  "data": directus_permissions,
  "event": "create",
  "key": "4"
}

directus_presets

Fields
Field Name Description
bookmark - String
collection - String
color - String
filter - JSON
filter_func - count_functions
icon - String
id - ID!
layout - String
layout_options - JSON
layout_options_func - count_functions
layout_query - JSON
layout_query_func - count_functions
refresh_interval - Int
role - directus_roles
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
search - String
user - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
Example
{
  "bookmark": "xyz789",
  "collection": "abc123",
  "color": "abc123",
  "filter": {},
  "filter_func": count_functions,
  "icon": "xyz789",
  "id": 4,
  "layout": "abc123",
  "layout_options": {},
  "layout_options_func": count_functions,
  "layout_query": {},
  "layout_query_func": count_functions,
  "refresh_interval": 987,
  "role": directus_roles,
  "search": "xyz789",
  "user": directus_users
}

directus_presets_mutated

Fields
Field Name Description
data - directus_presets
event - EventEnum
key - ID!
Example
{"data": directus_presets, "event": "create", "key": 4}

directus_roles

Fields
Field Name Description
admin_access - Boolean!
app_access - Boolean
description - String
enforce_tfa - Boolean!
icon - String
id - ID!
ip_access - [String]
name - String!
users - [directus_users]
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
users_func - count_functions
Example
{
  "admin_access": false,
  "app_access": true,
  "description": "xyz789",
  "enforce_tfa": false,
  "icon": "abc123",
  "id": 4,
  "ip_access": ["xyz789"],
  "name": "abc123",
  "users": [directus_users],
  "users_func": count_functions
}

directus_roles_mutated

Fields
Field Name Description
data - directus_roles
event - EventEnum
key - ID!
Example
{
  "data": directus_roles,
  "event": "create",
  "key": "4"
}

directus_settings

Fields
Field Name Description
auth_login_attempts - Int
auth_password_policy - String
basemaps - JSON
basemaps_func - count_functions
custom_aspect_ratios - JSON
custom_aspect_ratios_func - count_functions
custom_css - String
default_language - String
id - ID!
mapbox_key - String
module_bar - JSON
module_bar_func - count_functions
project_color - String $t:field_options.directus_settings.project_color_note
project_descriptor - String
project_logo - directus_files
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
project_name - String
project_url - String
public_background - directus_files
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
public_foreground - directus_files
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
public_note - String
storage_asset_presets - JSON
storage_asset_presets_func - count_functions
storage_asset_transform - String
storage_default_folder - directus_folders
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
Example
{
  "auth_login_attempts": 123,
  "auth_password_policy": "abc123",
  "basemaps": {},
  "basemaps_func": count_functions,
  "custom_aspect_ratios": {},
  "custom_aspect_ratios_func": count_functions,
  "custom_css": "abc123",
  "default_language": "xyz789",
  "id": "4",
  "mapbox_key": "abc123",
  "module_bar": {},
  "module_bar_func": count_functions,
  "project_color": "xyz789",
  "project_descriptor": "xyz789",
  "project_logo": directus_files,
  "project_name": "xyz789",
  "project_url": "xyz789",
  "public_background": directus_files,
  "public_foreground": directus_files,
  "public_note": "xyz789",
  "storage_asset_presets": {},
  "storage_asset_presets_func": count_functions,
  "storage_asset_transform": "xyz789",
  "storage_default_folder": directus_folders
}

directus_settings_mutated

Fields
Field Name Description
data - directus_settings
event - EventEnum
key - ID!
Example
{"data": directus_settings, "event": "create", "key": 4}

directus_shares

Fields
Field Name Description
collection - String
date_created - Date
date_created_func - datetime_functions
date_end - Date $t:shared_leave_blank_for_unlimited
date_end_func - datetime_functions
date_start - Date $t:shared_leave_blank_for_unlimited
date_start_func - datetime_functions
id - ID!
item - String
max_uses - Int $t:shared_leave_blank_for_unlimited
name - String
password - Hash $t:shared_leave_blank_for_unlimited
role - directus_roles
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
times_used - Int
user_created - directus_users
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
Example
{
  "collection": "abc123",
  "date_created": "2007-12-03",
  "date_created_func": datetime_functions,
  "date_end": "2007-12-03",
  "date_end_func": datetime_functions,
  "date_start": "2007-12-03",
  "date_start_func": datetime_functions,
  "id": 4,
  "item": "abc123",
  "max_uses": 987,
  "name": "xyz789",
  "password": Hash,
  "role": directus_roles,
  "times_used": 987,
  "user_created": directus_users
}

directus_shares_mutated

Fields
Field Name Description
data - directus_shares
event - EventEnum
key - ID!
Example
{"data": directus_shares, "event": "create", "key": 4}

directus_translations

Fields
Field Name Description
id - ID!
key - String!
language - String!
value - String!
Example
{
  "id": "4",
  "key": "abc123",
  "language": "xyz789",
  "value": "xyz789"
}

directus_translations_mutated

Fields
Field Name Description
data - directus_translations
event - EventEnum
key - ID!
Example
{
  "data": directus_translations,
  "event": "create",
  "key": "4"
}

directus_users

Fields
Field Name Description
auth_data - JSON
auth_data_func - count_functions
avatar - directus_files
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
description - String
email - String
email_notifications - Boolean
external_identifier - String
first_name - String
id - ID!
language - String
last_access - Date
last_access_func - datetime_functions
last_name - String
last_page - String
location - String
password - Hash
provider - String
role - directus_roles
Arguments
limit - Int
offset - Int
page - Int
search - String
sort - [String]
status - String
tags - JSON
tags_func - count_functions
tfa_secret - Hash
theme - String
title - String
token - Hash
Example
{
  "auth_data": {},
  "auth_data_func": count_functions,
  "avatar": directus_files,
  "description": "xyz789",
  "email": "abc123",
  "email_notifications": true,
  "external_identifier": "xyz789",
  "first_name": "abc123",
  "id": "4",
  "language": "abc123",
  "last_access": "2007-12-03",
  "last_access_func": datetime_functions,
  "last_name": "abc123",
  "last_page": "xyz789",
  "location": "xyz789",
  "password": Hash,
  "provider": "xyz789",
  "role": directus_roles,
  "status": "abc123",
  "tags": {},
  "tags_func": count_functions,
  "tfa_secret": Hash,
  "theme": "abc123",
  "title": "xyz789",
  "token": Hash
}

directus_users_mutated

Fields
Field Name Description
data - directus_users
event - EventEnum
key - ID!
Example
{"data": directus_users, "event": "create", "key": 4}

INPUT_OBJECT

ActionIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "ActionIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [ActionIdentifier_bool_exp],
  "_not": ActionIdentifier_bool_exp,
  "_or": [ActionIdentifier_bool_exp],
  "actionId": uuid_comparison_exp,
  "id": uuid_comparison_exp,
  "name": String_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

ActionIdentifier_order_by

Description

Ordering options when selecting data from "ActionIdentifier".

Fields
Input Field Description
actionId - order_by
id - order_by
name - order_by
value - order_by
valueReference - order_by
Example
{
  "actionId": "asc",
  "id": "asc",
  "name": "asc",
  "value": "asc",
  "valueReference": "asc"
}

ActionIdentifier_stream_cursor_input

Description

Streaming cursor of the table "ActionIdentifier"

Fields
Input Field Description
initial_value - ActionIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": ActionIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

ActionIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
actionId - uuid
id - uuid
name - String
value - String
valueReference - String
Example
{
  "actionId": uuid,
  "id": uuid,
  "name": "abc123",
  "value": "abc123",
  "valueReference": "abc123"
}

ActionStatusTypeIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "ActionStatusTypeIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [ActionStatusTypeIdentifier_bool_exp],
  "_not": ActionStatusTypeIdentifier_bool_exp,
  "_or": [ActionStatusTypeIdentifier_bool_exp],
  "actionStatusTypeId": uuid_comparison_exp,
  "id": uuid_comparison_exp,
  "name": String_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

ActionStatusTypeIdentifier_order_by

Description

Ordering options when selecting data from "ActionStatusTypeIdentifier".

Fields
Input Field Description
actionStatusTypeId - order_by
id - order_by
name - order_by
value - order_by
valueReference - order_by
Example
{
  "actionStatusTypeId": "asc",
  "id": "asc",
  "name": "asc",
  "value": "asc",
  "valueReference": "asc"
}

ActionStatusTypeIdentifier_stream_cursor_input

Description

Streaming cursor of the table "ActionStatusTypeIdentifier"

Fields
Input Field Description
initial_value - ActionStatusTypeIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": ActionStatusTypeIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

ActionStatusTypeIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
actionStatusTypeId - uuid
id - uuid
name - String
value - String
valueReference - String
Example
{
  "actionStatusTypeId": uuid,
  "id": uuid,
  "name": "abc123",
  "value": "xyz789",
  "valueReference": "xyz789"
}

AdministrativeAreaIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "AdministrativeAreaIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [AdministrativeAreaIdentifier_bool_exp],
  "_not": AdministrativeAreaIdentifier_bool_exp,
  "_or": [AdministrativeAreaIdentifier_bool_exp],
  "administrativeAreaId": uuid_comparison_exp,
  "id": uuid_comparison_exp,
  "name": String_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

AdministrativeAreaIdentifier_order_by

Description

Ordering options when selecting data from "AdministrativeAreaIdentifier".

Fields
Input Field Description
administrativeAreaId - order_by
id - order_by
name - order_by
value - order_by
valueReference - order_by
Example
{
  "administrativeAreaId": "asc",
  "id": "asc",
  "name": "asc",
  "value": "asc",
  "valueReference": "asc"
}

AdministrativeAreaIdentifier_stream_cursor_input

Description

Streaming cursor of the table "AdministrativeAreaIdentifier"

Fields
Input Field Description
initial_value - AdministrativeAreaIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": AdministrativeAreaIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

AdministrativeAreaIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
administrativeAreaId - uuid
id - uuid
name - String
value - String
valueReference - String
Example
{
  "administrativeAreaId": uuid,
  "id": uuid,
  "name": "xyz789",
  "value": "abc123",
  "valueReference": "abc123"
}

AggregateOfferIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "AggregateOfferIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [AggregateOfferIdentifier_bool_exp],
  "_not": AggregateOfferIdentifier_bool_exp,
  "_or": [AggregateOfferIdentifier_bool_exp],
  "aggregateOfferId": uuid_comparison_exp,
  "id": uuid_comparison_exp,
  "name": String_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

AggregateOfferIdentifier_order_by

Description

Ordering options when selecting data from "AggregateOfferIdentifier".

Fields
Input Field Description
aggregateOfferId - order_by
id - order_by
name - order_by
value - order_by
valueReference - order_by
Example
{
  "aggregateOfferId": "asc",
  "id": "asc",
  "name": "asc",
  "value": "asc",
  "valueReference": "asc"
}

AggregateOfferIdentifier_stream_cursor_input

Description

Streaming cursor of the table "AggregateOfferIdentifier"

Fields
Input Field Description
initial_value - AggregateOfferIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": AggregateOfferIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

AggregateOfferIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
aggregateOfferId - uuid
id - uuid
name - String
value - String
valueReference - String
Example
{
  "aggregateOfferId": uuid,
  "id": uuid,
  "name": "xyz789",
  "value": "abc123",
  "valueReference": "xyz789"
}

Applet_filter

Fields
Input Field Description
_and - [Applet_filter]
_or - [Applet_filter]
animationType - string_filter_operators
appletType - string_filter_operators
bottomDock - boolean_filter_operators
date_created - date_filter_operators
date_created_func - datetime_function_filter_operators
date_updated - date_filter_operators
date_updated_func - datetime_function_filter_operators
hasMediaObject - MediaObject_Applet_filter
hasMediaObject_func - count_function_filter_operators
id - string_filter_operators
image - directus_files_filter
label - string_filter_operators
name - string_filter_operators
pinnedMediaObject - PinnedMediaObject_filter
pinnedMediaObject_func - count_function_filter_operators
portraitOrientation - boolean_filter_operators
position - string_filter_operators
scrambled - boolean_filter_operators
sort - number_filter_operators
status - string_filter_operators
url - string_filter_operators
userActivity - UserActivity_filter
userActivity_func - count_function_filter_operators
userAppletState - UserAppletState_filter
userAppletState_func - count_function_filter_operators
userMediaState - UserMediaState_filter
userMediaState_func - count_function_filter_operators
user_created - directus_users_filter
user_updated - directus_users_filter
visible - boolean_filter_operators
Example
{
  "_and": [Applet_filter],
  "_or": [Applet_filter],
  "animationType": string_filter_operators,
  "appletType": string_filter_operators,
  "bottomDock": boolean_filter_operators,
  "date_created": date_filter_operators,
  "date_created_func": datetime_function_filter_operators,
  "date_updated": date_filter_operators,
  "date_updated_func": datetime_function_filter_operators,
  "hasMediaObject": MediaObject_Applet_filter,
  "hasMediaObject_func": count_function_filter_operators,
  "id": string_filter_operators,
  "image": directus_files_filter,
  "label": string_filter_operators,
  "name": string_filter_operators,
  "pinnedMediaObject": PinnedMediaObject_filter,
  "pinnedMediaObject_func": count_function_filter_operators,
  "portraitOrientation": boolean_filter_operators,
  "position": string_filter_operators,
  "scrambled": boolean_filter_operators,
  "sort": number_filter_operators,
  "status": string_filter_operators,
  "url": string_filter_operators,
  "userActivity": UserActivity_filter,
  "userActivity_func": count_function_filter_operators,
  "userAppletState": UserAppletState_filter,
  "userAppletState_func": count_function_filter_operators,
  "userMediaState": UserMediaState_filter,
  "userMediaState_func": count_function_filter_operators,
  "user_created": directus_users_filter,
  "user_updated": directus_users_filter,
  "visible": boolean_filter_operators
}

AudienceIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "AudienceIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [AudienceIdentifier_bool_exp],
  "_not": AudienceIdentifier_bool_exp,
  "_or": [AudienceIdentifier_bool_exp],
  "audienceId": uuid_comparison_exp,
  "id": uuid_comparison_exp,
  "name": String_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

AudienceIdentifier_order_by

Description

Ordering options when selecting data from "AudienceIdentifier".

Fields
Input Field Description
audienceId - order_by
id - order_by
name - order_by
value - order_by
valueReference - order_by
Example
{
  "audienceId": "asc",
  "id": "asc",
  "name": "asc",
  "value": "asc",
  "valueReference": "asc"
}

AudienceIdentifier_stream_cursor_input

Description

Streaming cursor of the table "AudienceIdentifier"

Fields
Input Field Description
initial_value - AudienceIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": AudienceIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

AudienceIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
audienceId - uuid
id - uuid
name - String
value - String
valueReference - String
Example
{
  "audienceId": uuid,
  "id": uuid,
  "name": "xyz789",
  "value": "abc123",
  "valueReference": "abc123"
}

BeaconGroup_filter

Fields
Input Field Description
_and - [BeaconGroup_filter]
_or - [BeaconGroup_filter]
containedInExhibition - Exhibition_filter
date_created - date_filter_operators
date_created_func - datetime_function_filter_operators
date_updated - date_filter_operators
date_updated_func - datetime_function_filter_operators
directusId - number_filter_operators
hasBeacon - Beacon_filter
hasBeacon_func - count_function_filter_operators
hasCollection - Collection_filter
hasCollection_func - count_function_filter_operators
id - string_filter_operators
keyword - Keyword_BeaconGroup_filter
keyword_func - count_function_filter_operators
majorID - number_filter_operators
name - string_filter_operators
sort - number_filter_operators
status - string_filter_operators
user_created - directus_users_filter
user_updated - directus_users_filter
Example
{
  "_and": [BeaconGroup_filter],
  "_or": [BeaconGroup_filter],
  "containedInExhibition": Exhibition_filter,
  "date_created": date_filter_operators,
  "date_created_func": datetime_function_filter_operators,
  "date_updated": date_filter_operators,
  "date_updated_func": datetime_function_filter_operators,
  "directusId": number_filter_operators,
  "hasBeacon": Beacon_filter,
  "hasBeacon_func": count_function_filter_operators,
  "hasCollection": Collection_filter,
  "hasCollection_func": count_function_filter_operators,
  "id": string_filter_operators,
  "keyword": Keyword_BeaconGroup_filter,
  "keyword_func": count_function_filter_operators,
  "majorID": number_filter_operators,
  "name": string_filter_operators,
  "sort": number_filter_operators,
  "status": string_filter_operators,
  "user_created": directus_users_filter,
  "user_updated": directus_users_filter
}

Beacon_filter

Fields
Input Field Description
_and - [Beacon_filter]
_or - [Beacon_filter]
broadcastPower - number_filter_operators
date_created - date_filter_operators
date_created_func - datetime_function_filter_operators
date_updated - date_filter_operators
date_updated_func - datetime_function_filter_operators
description - string_filter_operators
directusId - number_filter_operators
id - string_filter_operators
isPartOfBeaconGroup - BeaconGroup_filter
macAddress - string_filter_operators
minorID - string_filter_operators
name - string_filter_operators
proximity - string_filter_operators
sort - number_filter_operators
status - string_filter_operators
user_created - directus_users_filter
user_updated - directus_users_filter
Example
{
  "_and": [Beacon_filter],
  "_or": [Beacon_filter],
  "broadcastPower": number_filter_operators,
  "date_created": date_filter_operators,
  "date_created_func": datetime_function_filter_operators,
  "date_updated": date_filter_operators,
  "date_updated_func": datetime_function_filter_operators,
  "description": string_filter_operators,
  "directusId": number_filter_operators,
  "id": string_filter_operators,
  "isPartOfBeaconGroup": BeaconGroup_filter,
  "macAddress": string_filter_operators,
  "minorID": string_filter_operators,
  "name": string_filter_operators,
  "proximity": string_filter_operators,
  "sort": number_filter_operators,
  "status": string_filter_operators,
  "user_created": directus_users_filter,
  "user_updated": directus_users_filter
}

Boolean_comparison_exp

Description

Boolean expression to compare columns of type "Boolean". All fields are combined with logical 'AND'.

Fields
Input Field Description
_eq - Boolean
_gt - Boolean
_gte - Boolean
_in - [Boolean!]
_is_null - Boolean
_lt - Boolean
_lte - Boolean
_neq - Boolean
_nin - [Boolean!]
Example
{
  "_eq": true,
  "_gt": false,
  "_gte": false,
  "_in": [false],
  "_is_null": false,
  "_lt": true,
  "_lte": true,
  "_neq": false,
  "_nin": [false]
}

BrandIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "BrandIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [BrandIdentifier_bool_exp],
  "_not": BrandIdentifier_bool_exp,
  "_or": [BrandIdentifier_bool_exp],
  "brandId": uuid_comparison_exp,
  "id": uuid_comparison_exp,
  "name": String_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

BrandIdentifier_order_by

Description

Ordering options when selecting data from "BrandIdentifier".

Fields
Input Field Description
brandId - order_by
id - order_by
name - order_by
value - order_by
valueReference - order_by
Example
{
  "brandId": "asc",
  "id": "asc",
  "name": "asc",
  "value": "asc",
  "valueReference": "asc"
}

BrandIdentifier_stream_cursor_input

Description

Streaming cursor of the table "BrandIdentifier"

Fields
Input Field Description
initial_value - BrandIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": BrandIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

BrandIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
brandId - uuid
id - uuid
name - String
value - String
valueReference - String
Example
{
  "brandId": uuid,
  "id": uuid,
  "name": "xyz789",
  "value": "abc123",
  "valueReference": "xyz789"
}

Character_MediaObject_filter

Fields
Input Field Description
Character_id - Character_filter
MediaObject_id - MediaObject_filter
_and - [Character_MediaObject_filter]
_or - [Character_MediaObject_filter]
id - number_filter_operators
Example
{
  "Character_id": Character_filter,
  "MediaObject_id": MediaObject_filter,
  "_and": [Character_MediaObject_filter],
  "_or": [Character_MediaObject_filter],
  "id": number_filter_operators
}

Character_filter

Fields
Input Field Description
_and - [Character_filter]
_or - [Character_filter]
avatar - directus_files_filter
date_created - date_filter_operators
date_created_func - datetime_function_filter_operators
date_updated - date_filter_operators
date_updated_func - datetime_function_filter_operators
description - string_filter_operators
id - string_filter_operators
isPartOfMediaObject - Character_MediaObject_filter
isPartOfMediaObject_func - count_function_filter_operators
name - string_filter_operators
sort - number_filter_operators
status - string_filter_operators
user_created - directus_users_filter
user_updated - directus_users_filter
Example
{
  "_and": [Character_filter],
  "_or": [Character_filter],
  "avatar": directus_files_filter,
  "date_created": date_filter_operators,
  "date_created_func": datetime_function_filter_operators,
  "date_updated": date_filter_operators,
  "date_updated_func": datetime_function_filter_operators,
  "description": string_filter_operators,
  "id": string_filter_operators,
  "isPartOfMediaObject": Character_MediaObject_filter,
  "isPartOfMediaObject_func": count_function_filter_operators,
  "name": string_filter_operators,
  "sort": number_filter_operators,
  "status": string_filter_operators,
  "user_created": directus_users_filter,
  "user_updated": directus_users_filter
}

CollectionGroup_filter

Fields
Input Field Description
_and - [CollectionGroup_filter]
_or - [CollectionGroup_filter]
coverObject - MediaObject_filter
date_created - date_filter_operators
date_created_func - datetime_function_filter_operators
date_updated - date_filter_operators
date_updated_func - datetime_function_filter_operators
description - string_filter_operators
hasCollection - Collection_filter
hasCollection_func - count_function_filter_operators
id - string_filter_operators
isPartOfExhibition - Exhibition_filter
name - string_filter_operators
sort - number_filter_operators
status - string_filter_operators
user_created - directus_users_filter
user_updated - directus_users_filter
Example
{
  "_and": [CollectionGroup_filter],
  "_or": [CollectionGroup_filter],
  "coverObject": MediaObject_filter,
  "date_created": date_filter_operators,
  "date_created_func": datetime_function_filter_operators,
  "date_updated": date_filter_operators,
  "date_updated_func": datetime_function_filter_operators,
  "description": string_filter_operators,
  "hasCollection": Collection_filter,
  "hasCollection_func": count_function_filter_operators,
  "id": string_filter_operators,
  "isPartOfExhibition": Exhibition_filter,
  "name": string_filter_operators,
  "sort": number_filter_operators,
  "status": string_filter_operators,
  "user_created": directus_users_filter,
  "user_updated": directus_users_filter
}

Collection_filter

Fields
Input Field Description
_and - [Collection_filter]
_or - [Collection_filter]
date_created - date_filter_operators
date_created_func - datetime_function_filter_operators
date_updated - date_filter_operators
date_updated_func - datetime_function_filter_operators
description - string_filter_operators
hasMediaObject - MediaObject_filter
hasMediaObject_func - count_function_filter_operators
id - string_filter_operators
isDeliveredByBeaconGroup - BeaconGroup_filter
isPartOfCollectionGroup - CollectionGroup_filter
lockedImage - directus_files_filter
name - string_filter_operators
pushNotification - PushNotification_filter
pushNotification_func - count_function_filter_operators
sort - number_filter_operators
status - string_filter_operators
unlockedImage - directus_files_filter
userUnlockState - UserUnlockState_filter
userUnlockState_func - count_function_filter_operators
user_created - directus_users_filter
user_updated - directus_users_filter
Example
{
  "_and": [Collection_filter],
  "_or": [Collection_filter],
  "date_created": date_filter_operators,
  "date_created_func": datetime_function_filter_operators,
  "date_updated": date_filter_operators,
  "date_updated_func": datetime_function_filter_operators,
  "description": string_filter_operators,
  "hasMediaObject": MediaObject_filter,
  "hasMediaObject_func": count_function_filter_operators,
  "id": string_filter_operators,
  "isDeliveredByBeaconGroup": BeaconGroup_filter,
  "isPartOfCollectionGroup": CollectionGroup_filter,
  "lockedImage": directus_files_filter,
  "name": string_filter_operators,
  "pushNotification": PushNotification_filter,
  "pushNotification_func": count_function_filter_operators,
  "sort": number_filter_operators,
  "status": string_filter_operators,
  "unlockedImage": directus_files_filter,
  "userUnlockState": UserUnlockState_filter,
  "userUnlockState_func": count_function_filter_operators,
  "user_created": directus_users_filter,
  "user_updated": directus_users_filter
}

Contributor_filter

Fields
Input Field Description
_and - [Contributor_filter]
_or - [Contributor_filter]
date_created - date_filter_operators
date_created_func - datetime_function_filter_operators
date_updated - date_filter_operators
date_updated_func - datetime_function_filter_operators
description - string_filter_operators
familyName - string_filter_operators
givenName - string_filter_operators
id - string_filter_operators
image - directus_files_filter
mediaRelationship - MediaRelationship_filter
mediaRelationship_func - count_function_filter_operators
sort - number_filter_operators
status - string_filter_operators
user_created - directus_users_filter
user_updated - directus_users_filter
Example
{
  "_and": [Contributor_filter],
  "_or": [Contributor_filter],
  "date_created": date_filter_operators,
  "date_created_func": datetime_function_filter_operators,
  "date_updated": date_filter_operators,
  "date_updated_func": datetime_function_filter_operators,
  "description": string_filter_operators,
  "familyName": string_filter_operators,
  "givenName": string_filter_operators,
  "id": string_filter_operators,
  "image": directus_files_filter,
  "mediaRelationship": MediaRelationship_filter,
  "mediaRelationship_func": count_function_filter_operators,
  "sort": number_filter_operators,
  "status": string_filter_operators,
  "user_created": directus_users_filter,
  "user_updated": directus_users_filter
}

CountryIdentifier_aggregate_order_by

Description

order by aggregate values of table "CountryIdentifier"

Fields
Input Field Description
count - order_by
max - CountryIdentifier_max_order_by
min - CountryIdentifier_min_order_by
Example
{
  "count": "asc",
  "max": CountryIdentifier_max_order_by,
  "min": CountryIdentifier_min_order_by
}

CountryIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "CountryIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [CountryIdentifier_bool_exp],
  "_not": CountryIdentifier_bool_exp,
  "_or": [CountryIdentifier_bool_exp],
  "country": Country_bool_exp,
  "countryId": uuid_comparison_exp,
  "id": uuid_comparison_exp,
  "name": String_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

CountryIdentifier_max_order_by

Description

order by max() on columns of table "CountryIdentifier"

Fields
Input Field Description
countryId - order_by
id - order_by
name - order_by
value - order_by
valueReference - order_by
Example
{
  "countryId": "asc",
  "id": "asc",
  "name": "asc",
  "value": "asc",
  "valueReference": "asc"
}

CountryIdentifier_min_order_by

Description

order by min() on columns of table "CountryIdentifier"

Fields
Input Field Description
countryId - order_by
id - order_by
name - order_by
value - order_by
valueReference - order_by
Example
{
  "countryId": "asc",
  "id": "asc",
  "name": "asc",
  "value": "asc",
  "valueReference": "asc"
}

CountryIdentifier_order_by

Description

Ordering options when selecting data from "CountryIdentifier".

Fields
Input Field Description
country - Country_order_by
countryId - order_by
id - order_by
name - order_by
value - order_by
valueReference - order_by
Example
{
  "country": Country_order_by,
  "countryId": "asc",
  "id": "asc",
  "name": "asc",
  "value": "asc",
  "valueReference": "asc"
}

CountryIdentifier_stream_cursor_input

Description

Streaming cursor of the table "CountryIdentifier"

Fields
Input Field Description
initial_value - CountryIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": CountryIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

CountryIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
countryId - uuid
id - uuid
name - String
value - String
valueReference - String
Example
{
  "countryId": uuid,
  "id": uuid,
  "name": "abc123",
  "value": "xyz789",
  "valueReference": "abc123"
}

Country_bool_exp

Description

Boolean expression to filter rows from the table "Country". All fields are combined with a logical 'AND'.

Fields
Input Field Description
_and - [Country_bool_exp!]
_not - Country_bool_exp
_or - [Country_bool_exp!]
alternateName - String_comparison_exp
id - uuid_comparison_exp
identifier - CountryIdentifier_bool_exp
name - String_comparison_exp
person - Person_bool_exp
postalAddresses - PostalAddress_bool_exp
Example
{
  "_and": [Country_bool_exp],
  "_not": Country_bool_exp,
  "_or": [Country_bool_exp],
  "alternateName": String_comparison_exp,
  "id": uuid_comparison_exp,
  "identifier": CountryIdentifier_bool_exp,
  "name": String_comparison_exp,
  "person": Person_bool_exp,
  "postalAddresses": PostalAddress_bool_exp
}

Country_order_by

Description

Ordering options when selecting data from "Country".

Fields
Input Field Description
alternateName - order_by
id - order_by
identifier_aggregate - CountryIdentifier_aggregate_order_by
name - order_by
person_aggregate - Person_aggregate_order_by
postalAddresses_aggregate - PostalAddress_aggregate_order_by
Example
{
  "alternateName": "asc",
  "id": "asc",
  "identifier_aggregate": CountryIdentifier_aggregate_order_by,
  "name": "asc",
  "person_aggregate": Person_aggregate_order_by,
  "postalAddresses_aggregate": PostalAddress_aggregate_order_by
}

Country_stream_cursor_input

Description

Streaming cursor of the table "Country"

Fields
Input Field Description
initial_value - Country_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": Country_stream_cursor_value_input,
  "ordering": "ASC"
}

Country_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
alternateName - String
id - uuid
name - String
Example
{
  "alternateName": "abc123",
  "id": uuid,
  "name": "xyz789"
}

CreativeWorkIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "CreativeWorkIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [CreativeWorkIdentifier_bool_exp],
  "_not": CreativeWorkIdentifier_bool_exp,
  "_or": [CreativeWorkIdentifier_bool_exp],
  "creativeWorkId": uuid_comparison_exp,
  "id": uuid_comparison_exp,
  "name": String_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

CreativeWorkIdentifier_order_by

Description

Ordering options when selecting data from "CreativeWorkIdentifier".

Fields
Input Field Description
creativeWorkId - order_by
id - order_by
name - order_by
value - order_by
valueReference - order_by
Example
{
  "creativeWorkId": "asc",
  "id": "asc",
  "name": "asc",
  "value": "asc",
  "valueReference": "asc"
}

CreativeWorkIdentifier_stream_cursor_input

Description

Streaming cursor of the table "CreativeWorkIdentifier"

Fields
Input Field Description
initial_value - CreativeWorkIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": CreativeWorkIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

CreativeWorkIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
creativeWorkId - uuid
id - uuid
name - String
value - String
valueReference - String
Example
{
  "creativeWorkId": uuid,
  "id": uuid,
  "name": "abc123",
  "value": "xyz789",
  "valueReference": "xyz789"
}

CreditsRole_filter

Fields
Input Field Description
_and - [CreditsRole_filter]
_or - [CreditsRole_filter]
date_created - date_filter_operators
date_created_func - datetime_function_filter_operators
date_updated - date_filter_operators
date_updated_func - datetime_function_filter_operators
id - string_filter_operators
mediaRelationship - MediaRelationship_filter
mediaRelationship_func - count_function_filter_operators
name - string_filter_operators
sort - number_filter_operators
status - string_filter_operators
user_created - directus_users_filter
user_updated - directus_users_filter
Example
{
  "_and": [CreditsRole_filter],
  "_or": [CreditsRole_filter],
  "date_created": date_filter_operators,
  "date_created_func": datetime_function_filter_operators,
  "date_updated": date_filter_operators,
  "date_updated_func": datetime_function_filter_operators,
  "id": string_filter_operators,
  "mediaRelationship": MediaRelationship_filter,
  "mediaRelationship_func": count_function_filter_operators,
  "name": string_filter_operators,
  "sort": number_filter_operators,
  "status": string_filter_operators,
  "user_created": directus_users_filter,
  "user_updated": directus_users_filter
}

DeliveryEventIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "DeliveryEventIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [DeliveryEventIdentifier_bool_exp],
  "_not": DeliveryEventIdentifier_bool_exp,
  "_or": [DeliveryEventIdentifier_bool_exp],
  "deliveryEventId": uuid_comparison_exp,
  "id": uuid_comparison_exp,
  "name": String_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

DeliveryEventIdentifier_order_by

Description

Ordering options when selecting data from "DeliveryEventIdentifier".

Fields
Input Field Description
deliveryEventId - order_by
id - order_by
name - order_by
value - order_by
valueReference - order_by
Example
{
  "deliveryEventId": "asc",
  "id": "asc",
  "name": "asc",
  "value": "asc",
  "valueReference": "asc"
}

DeliveryEventIdentifier_stream_cursor_input

Description

Streaming cursor of the table "DeliveryEventIdentifier"

Fields
Input Field Description
initial_value - DeliveryEventIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": DeliveryEventIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

DeliveryEventIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
deliveryEventId - uuid
id - uuid
name - String
value - String
valueReference - String
Example
{
  "deliveryEventId": uuid,
  "id": uuid,
  "name": "abc123",
  "value": "abc123",
  "valueReference": "abc123"
}

DeliveryMethodIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "DeliveryMethodIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [DeliveryMethodIdentifier_bool_exp],
  "_not": DeliveryMethodIdentifier_bool_exp,
  "_or": [DeliveryMethodIdentifier_bool_exp],
  "deliveryMethodId": uuid_comparison_exp,
  "id": uuid_comparison_exp,
  "name": String_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

DeliveryMethodIdentifier_order_by

Description

Ordering options when selecting data from "DeliveryMethodIdentifier".

Fields
Input Field Description
deliveryMethodId - order_by
id - order_by
name - order_by
value - order_by
valueReference - order_by
Example
{
  "deliveryMethodId": "asc",
  "id": "asc",
  "name": "asc",
  "value": "asc",
  "valueReference": "asc"
}

DeliveryMethodIdentifier_stream_cursor_input

Description

Streaming cursor of the table "DeliveryMethodIdentifier"

Fields
Input Field Description
initial_value - DeliveryMethodIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": DeliveryMethodIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

DeliveryMethodIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
deliveryMethodId - uuid
id - uuid
name - String
value - String
valueReference - String
Example
{
  "deliveryMethodId": uuid,
  "id": uuid,
  "name": "xyz789",
  "value": "xyz789",
  "valueReference": "xyz789"
}

EntryIdentifier_aggregate_order_by

Description

order by aggregate values of table "EntryIdentifier"

Fields
Input Field Description
count - order_by
max - EntryIdentifier_max_order_by
min - EntryIdentifier_min_order_by
Example
{
  "count": "asc",
  "max": EntryIdentifier_max_order_by,
  "min": EntryIdentifier_min_order_by
}

EntryIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "EntryIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [EntryIdentifier_bool_exp],
  "_not": EntryIdentifier_bool_exp,
  "_or": [EntryIdentifier_bool_exp],
  "entry": Entry_bool_exp,
  "entryId": uuid_comparison_exp,
  "id": uuid_comparison_exp,
  "name": String_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

EntryIdentifier_max_order_by

Description

order by max() on columns of table "EntryIdentifier"

Fields
Input Field Description
entryId - order_by
id - order_by
name - order_by
value - order_by
valueReference - order_by
Example
{
  "entryId": "asc",
  "id": "asc",
  "name": "asc",
  "value": "asc",
  "valueReference": "asc"
}

EntryIdentifier_min_order_by

Description

order by min() on columns of table "EntryIdentifier"

Fields
Input Field Description
entryId - order_by
id - order_by
name - order_by
value - order_by
valueReference - order_by
Example
{
  "entryId": "asc",
  "id": "asc",
  "name": "asc",
  "value": "asc",
  "valueReference": "asc"
}

EntryIdentifier_order_by

Description

Ordering options when selecting data from "EntryIdentifier".

Fields
Input Field Description
entry - Entry_order_by
entryId - order_by
id - order_by
name - order_by
value - order_by
valueReference - order_by
Example
{
  "entry": Entry_order_by,
  "entryId": "asc",
  "id": "asc",
  "name": "asc",
  "value": "asc",
  "valueReference": "asc"
}

EntryIdentifier_stream_cursor_input

Description

Streaming cursor of the table "EntryIdentifier"

Fields
Input Field Description
initial_value - EntryIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": EntryIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

EntryIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
entryId - uuid
id - uuid
name - String
value - String
valueReference - String
Example
{
  "entryId": uuid,
  "id": uuid,
  "name": "abc123",
  "value": "xyz789",
  "valueReference": "xyz789"
}

Entry_aggregate_order_by

Description

order by aggregate values of table "Entry"

Example
{
  "avg": Entry_avg_order_by,
  "count": "asc",
  "max": Entry_max_order_by,
  "min": Entry_min_order_by,
  "stddev": Entry_stddev_order_by,
  "stddev_pop": Entry_stddev_pop_order_by,
  "stddev_samp": Entry_stddev_samp_order_by,
  "sum": Entry_sum_order_by,
  "var_pop": Entry_var_pop_order_by,
  "var_samp": Entry_var_samp_order_by,
  "variance": Entry_variance_order_by
}

Entry_avg_order_by

Description

order by avg() on columns of table "Entry"

Fields
Input Field Description
maximumAttendeeCapacity - order_by
maximumPhysicalAttendeeCapacity - order_by
maximumVirtualAttendeeCapacity - order_by
Example
{
  "maximumAttendeeCapacity": "asc",
  "maximumPhysicalAttendeeCapacity": "asc",
  "maximumVirtualAttendeeCapacity": "asc"
}

Entry_bool_exp

Description

Boolean expression to filter rows from the table "Entry". All fields are combined with a logical 'AND'.

Fields
Input Field Description
_and - [Entry_bool_exp!]
_not - Entry_bool_exp
_or - [Entry_bool_exp!]
dateCreated - timestamp_comparison_exp
dateDeleted - timestamp_comparison_exp
dateModified - timestamp_comparison_exp
doorTime - timestamp_comparison_exp
endDate - timestamp_comparison_exp
eventStatus - EventStatusType_bool_exp
eventStatusTypeName - EventStatusType_enum_comparison_exp
id - uuid_comparison_exp
identifier - EntryIdentifier_bool_exp
maximumAttendeeCapacity - Int_comparison_exp
maximumPhysicalAttendeeCapacity - Int_comparison_exp
maximumVirtualAttendeeCapacity - Int_comparison_exp
previousStartDate - timestamp_comparison_exp
reservationFor - Reservation_bool_exp
startDate - timestamp_comparison_exp
superEvent - Event_bool_exp
superEventId - uuid_comparison_exp
Example
{
  "_and": [Entry_bool_exp],
  "_not": Entry_bool_exp,
  "_or": [Entry_bool_exp],
  "dateCreated": timestamp_comparison_exp,
  "dateDeleted": timestamp_comparison_exp,
  "dateModified": timestamp_comparison_exp,
  "doorTime": timestamp_comparison_exp,
  "endDate": timestamp_comparison_exp,
  "eventStatus": EventStatusType_bool_exp,
  "eventStatusTypeName": EventStatusType_enum_comparison_exp,
  "id": uuid_comparison_exp,
  "identifier": EntryIdentifier_bool_exp,
  "maximumAttendeeCapacity": Int_comparison_exp,
  "maximumPhysicalAttendeeCapacity": Int_comparison_exp,
  "maximumVirtualAttendeeCapacity": Int_comparison_exp,
  "previousStartDate": timestamp_comparison_exp,
  "reservationFor": Reservation_bool_exp,
  "startDate": timestamp_comparison_exp,
  "superEvent": Event_bool_exp,
  "superEventId": uuid_comparison_exp
}

Entry_max_order_by

Description

order by max() on columns of table "Entry"

Fields
Input Field Description
dateCreated - order_by
dateDeleted - order_by
dateModified - order_by
doorTime - order_by
endDate - order_by
id - order_by
maximumAttendeeCapacity - order_by
maximumPhysicalAttendeeCapacity - order_by
maximumVirtualAttendeeCapacity - order_by
previousStartDate - order_by
startDate - order_by
superEventId - order_by
Example
{
  "dateCreated": "asc",
  "dateDeleted": "asc",
  "dateModified": "asc",
  "doorTime": "asc",
  "endDate": "asc",
  "id": "asc",
  "maximumAttendeeCapacity": "asc",
  "maximumPhysicalAttendeeCapacity": "asc",
  "maximumVirtualAttendeeCapacity": "asc",
  "previousStartDate": "asc",
  "startDate": "asc",
  "superEventId": "asc"
}

Entry_min_order_by

Description

order by min() on columns of table "Entry"

Fields
Input Field Description
dateCreated - order_by
dateDeleted - order_by
dateModified - order_by
doorTime - order_by
endDate - order_by
id - order_by
maximumAttendeeCapacity - order_by
maximumPhysicalAttendeeCapacity - order_by
maximumVirtualAttendeeCapacity - order_by
previousStartDate - order_by
startDate - order_by
superEventId - order_by
Example
{
  "dateCreated": "asc",
  "dateDeleted": "asc",
  "dateModified": "asc",
  "doorTime": "asc",
  "endDate": "asc",
  "id": "asc",
  "maximumAttendeeCapacity": "asc",
  "maximumPhysicalAttendeeCapacity": "asc",
  "maximumVirtualAttendeeCapacity": "asc",
  "previousStartDate": "asc",
  "startDate": "asc",
  "superEventId": "asc"
}

Entry_order_by

Description

Ordering options when selecting data from "Entry".

Fields
Input Field Description
dateCreated - order_by
dateDeleted - order_by
dateModified - order_by
doorTime - order_by
endDate - order_by
eventStatus - EventStatusType_order_by
eventStatusTypeName - order_by
id - order_by
identifier_aggregate - EntryIdentifier_aggregate_order_by
maximumAttendeeCapacity - order_by
maximumPhysicalAttendeeCapacity - order_by
maximumVirtualAttendeeCapacity - order_by
previousStartDate - order_by
reservationFor_aggregate - Reservation_aggregate_order_by
startDate - order_by
superEvent - Event_order_by
superEventId - order_by
Example
{
  "dateCreated": "asc",
  "dateDeleted": "asc",
  "dateModified": "asc",
  "doorTime": "asc",
  "endDate": "asc",
  "eventStatus": EventStatusType_order_by,
  "eventStatusTypeName": "asc",
  "id": "asc",
  "identifier_aggregate": EntryIdentifier_aggregate_order_by,
  "maximumAttendeeCapacity": "asc",
  "maximumPhysicalAttendeeCapacity": "asc",
  "maximumVirtualAttendeeCapacity": "asc",
  "previousStartDate": "asc",
  "reservationFor_aggregate": Reservation_aggregate_order_by,
  "startDate": "asc",
  "superEvent": Event_order_by,
  "superEventId": "asc"
}

Entry_stddev_order_by

Description

order by stddev() on columns of table "Entry"

Fields
Input Field Description
maximumAttendeeCapacity - order_by
maximumPhysicalAttendeeCapacity - order_by
maximumVirtualAttendeeCapacity - order_by
Example
{
  "maximumAttendeeCapacity": "asc",
  "maximumPhysicalAttendeeCapacity": "asc",
  "maximumVirtualAttendeeCapacity": "asc"
}

Entry_stddev_pop_order_by

Description

order by stddev_pop() on columns of table "Entry"

Fields
Input Field Description
maximumAttendeeCapacity - order_by
maximumPhysicalAttendeeCapacity - order_by
maximumVirtualAttendeeCapacity - order_by
Example
{
  "maximumAttendeeCapacity": "asc",
  "maximumPhysicalAttendeeCapacity": "asc",
  "maximumVirtualAttendeeCapacity": "asc"
}

Entry_stddev_samp_order_by

Description

order by stddev_samp() on columns of table "Entry"

Fields
Input Field Description
maximumAttendeeCapacity - order_by
maximumPhysicalAttendeeCapacity - order_by
maximumVirtualAttendeeCapacity - order_by
Example
{
  "maximumAttendeeCapacity": "asc",
  "maximumPhysicalAttendeeCapacity": "asc",
  "maximumVirtualAttendeeCapacity": "asc"
}

Entry_stream_cursor_input

Description

Streaming cursor of the table "Entry"

Fields
Input Field Description
initial_value - Entry_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": Entry_stream_cursor_value_input,
  "ordering": "ASC"
}

Entry_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
dateCreated - timestamp
dateDeleted - timestamp
dateModified - timestamp
doorTime - timestamp
endDate - timestamp
eventStatusTypeName - EventStatusType_enum
id - uuid
maximumAttendeeCapacity - Int
maximumPhysicalAttendeeCapacity - Int
maximumVirtualAttendeeCapacity - Int
previousStartDate - timestamp
startDate - timestamp
superEventId - uuid
Example
{
  "dateCreated": timestamp,
  "dateDeleted": timestamp,
  "dateModified": timestamp,
  "doorTime": timestamp,
  "endDate": timestamp,
  "eventStatusTypeName": "EventCancelled",
  "id": uuid,
  "maximumAttendeeCapacity": 123,
  "maximumPhysicalAttendeeCapacity": 123,
  "maximumVirtualAttendeeCapacity": 987,
  "previousStartDate": timestamp,
  "startDate": timestamp,
  "superEventId": uuid
}

Entry_sum_order_by

Description

order by sum() on columns of table "Entry"

Fields
Input Field Description
maximumAttendeeCapacity - order_by
maximumPhysicalAttendeeCapacity - order_by
maximumVirtualAttendeeCapacity - order_by
Example
{
  "maximumAttendeeCapacity": "asc",
  "maximumPhysicalAttendeeCapacity": "asc",
  "maximumVirtualAttendeeCapacity": "asc"
}

Entry_var_pop_order_by

Description

order by var_pop() on columns of table "Entry"

Fields
Input Field Description
maximumAttendeeCapacity - order_by
maximumPhysicalAttendeeCapacity - order_by
maximumVirtualAttendeeCapacity - order_by
Example
{
  "maximumAttendeeCapacity": "asc",
  "maximumPhysicalAttendeeCapacity": "asc",
  "maximumVirtualAttendeeCapacity": "asc"
}

Entry_var_samp_order_by

Description

order by var_samp() on columns of table "Entry"

Fields
Input Field Description
maximumAttendeeCapacity - order_by
maximumPhysicalAttendeeCapacity - order_by
maximumVirtualAttendeeCapacity - order_by
Example
{
  "maximumAttendeeCapacity": "asc",
  "maximumPhysicalAttendeeCapacity": "asc",
  "maximumVirtualAttendeeCapacity": "asc"
}

Entry_variance_order_by

Description

order by variance() on columns of table "Entry"

Fields
Input Field Description
maximumAttendeeCapacity - order_by
maximumPhysicalAttendeeCapacity - order_by
maximumVirtualAttendeeCapacity - order_by
Example
{
  "maximumAttendeeCapacity": "asc",
  "maximumPhysicalAttendeeCapacity": "asc",
  "maximumVirtualAttendeeCapacity": "asc"
}

EventIdentifier_aggregate_order_by

Description

order by aggregate values of table "EventIdentifier"

Fields
Input Field Description
count - order_by
max - EventIdentifier_max_order_by
min - EventIdentifier_min_order_by
Example
{
  "count": "asc",
  "max": EventIdentifier_max_order_by,
  "min": EventIdentifier_min_order_by
}

EventIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "EventIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [EventIdentifier_bool_exp],
  "_not": EventIdentifier_bool_exp,
  "_or": [EventIdentifier_bool_exp],
  "event": Event_bool_exp,
  "eventId": uuid_comparison_exp,
  "id": uuid_comparison_exp,
  "name": String_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

EventIdentifier_max_order_by

Description

order by max() on columns of table "EventIdentifier"

Fields
Input Field Description
eventId - order_by
id - order_by
name - order_by
value - order_by
valueReference - order_by
Example
{
  "eventId": "asc",
  "id": "asc",
  "name": "asc",
  "value": "asc",
  "valueReference": "asc"
}

EventIdentifier_min_order_by

Description

order by min() on columns of table "EventIdentifier"

Fields
Input Field Description
eventId - order_by
id - order_by
name - order_by
value - order_by
valueReference - order_by
Example
{
  "eventId": "asc",
  "id": "asc",
  "name": "asc",
  "value": "asc",
  "valueReference": "asc"
}

EventIdentifier_order_by

Description

Ordering options when selecting data from "EventIdentifier".

Fields
Input Field Description
event - Event_order_by
eventId - order_by
id - order_by
name - order_by
value - order_by
valueReference - order_by
Example
{
  "event": Event_order_by,
  "eventId": "asc",
  "id": "asc",
  "name": "asc",
  "value": "asc",
  "valueReference": "asc"
}

EventIdentifier_stream_cursor_input

Description

Streaming cursor of the table "EventIdentifier"

Fields
Input Field Description
initial_value - EventIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": EventIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

EventIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
eventId - uuid
id - uuid
name - String
value - String
valueReference - String
Example
{
  "eventId": uuid,
  "id": uuid,
  "name": "xyz789",
  "value": "xyz789",
  "valueReference": "abc123"
}

EventStatusType_bool_exp

Description

Boolean expression to filter rows from the table "EventStatusType". All fields are combined with a logical 'AND'.

Example
{
  "_and": [EventStatusType_bool_exp],
  "_not": EventStatusType_bool_exp,
  "_or": [EventStatusType_bool_exp],
  "description": String_comparison_exp,
  "name": String_comparison_exp
}

EventStatusType_enum_comparison_exp

Description

Boolean expression to compare columns of type "EventStatusType_enum". All fields are combined with logical 'AND'.

Fields
Input Field Description
_eq - EventStatusType_enum
_in - [EventStatusType_enum!]
_is_null - Boolean
_neq - EventStatusType_enum
_nin - [EventStatusType_enum!]
Example
{
  "_eq": "EventCancelled",
  "_in": ["EventCancelled"],
  "_is_null": true,
  "_neq": "EventCancelled",
  "_nin": ["EventCancelled"]
}

EventStatusType_order_by

Description

Ordering options when selecting data from "EventStatusType".

Fields
Input Field Description
description - order_by
name - order_by
Example
{"description": "asc", "name": "asc"}

EventStatusType_stream_cursor_input

Description

Streaming cursor of the table "EventStatusType"

Fields
Input Field Description
initial_value - EventStatusType_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": EventStatusType_stream_cursor_value_input,
  "ordering": "ASC"
}

EventStatusType_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
description - String
name - String
Example
{
  "description": "abc123",
  "name": "xyz789"
}

Event_aggregate_order_by

Description

order by aggregate values of table "Event"

Fields
Input Field Description
count - order_by
max - Event_max_order_by
min - Event_min_order_by
Example
{
  "count": "asc",
  "max": Event_max_order_by,
  "min": Event_min_order_by
}

Event_bool_exp

Description

Boolean expression to filter rows from the table "Event". All fields are combined with a logical 'AND'.

Fields
Input Field Description
_and - [Event_bool_exp!]
_not - Event_bool_exp
_or - [Event_bool_exp!]
duration - String_comparison_exp
eventStatus - EventStatusType_bool_exp
eventStatusTypeName - EventStatusType_enum_comparison_exp
id - uuid_comparison_exp
identifier - EventIdentifier_bool_exp
isAccessibleForFree - Boolean_comparison_exp
location - Place_bool_exp
locationId - uuid_comparison_exp
name - String_comparison_exp
subEvent - Entry_bool_exp
typicalAgeRange - String_comparison_exp
Example
{
  "_and": [Event_bool_exp],
  "_not": Event_bool_exp,
  "_or": [Event_bool_exp],
  "duration": String_comparison_exp,
  "eventStatus": EventStatusType_bool_exp,
  "eventStatusTypeName": EventStatusType_enum_comparison_exp,
  "id": uuid_comparison_exp,
  "identifier": EventIdentifier_bool_exp,
  "isAccessibleForFree": Boolean_comparison_exp,
  "location": Place_bool_exp,
  "locationId": uuid_comparison_exp,
  "name": String_comparison_exp,
  "subEvent": Entry_bool_exp,
  "typicalAgeRange": String_comparison_exp
}

Event_max_order_by

Description

order by max() on columns of table "Event"

Fields
Input Field Description
duration - order_by
id - order_by
locationId - order_by
name - order_by
typicalAgeRange - order_by
Example
{
  "duration": "asc",
  "id": "asc",
  "locationId": "asc",
  "name": "asc",
  "typicalAgeRange": "asc"
}

Event_min_order_by

Description

order by min() on columns of table "Event"

Fields
Input Field Description
duration - order_by
id - order_by
locationId - order_by
name - order_by
typicalAgeRange - order_by
Example
{
  "duration": "asc",
  "id": "asc",
  "locationId": "asc",
  "name": "asc",
  "typicalAgeRange": "asc"
}

Event_order_by

Description

Ordering options when selecting data from "Event".

Fields
Input Field Description
duration - order_by
eventStatus - EventStatusType_order_by
eventStatusTypeName - order_by
id - order_by
identifier_aggregate - EventIdentifier_aggregate_order_by
isAccessibleForFree - order_by
location - Place_order_by
locationId - order_by
name - order_by
subEvent_aggregate - Entry_aggregate_order_by
typicalAgeRange - order_by
Example
{
  "duration": "asc",
  "eventStatus": EventStatusType_order_by,
  "eventStatusTypeName": "asc",
  "id": "asc",
  "identifier_aggregate": EventIdentifier_aggregate_order_by,
  "isAccessibleForFree": "asc",
  "location": Place_order_by,
  "locationId": "asc",
  "name": "asc",
  "subEvent_aggregate": Entry_aggregate_order_by,
  "typicalAgeRange": "asc"
}

Event_stream_cursor_input

Description

Streaming cursor of the table "Event"

Fields
Input Field Description
initial_value - Event_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": Event_stream_cursor_value_input,
  "ordering": "ASC"
}

Event_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
duration - String
eventStatusTypeName - EventStatusType_enum
id - uuid
isAccessibleForFree - Boolean
locationId - uuid
name - String
typicalAgeRange - String
Example
{
  "duration": "xyz789",
  "eventStatusTypeName": "EventCancelled",
  "id": uuid,
  "isAccessibleForFree": false,
  "locationId": uuid,
  "name": "abc123",
  "typicalAgeRange": "xyz789"
}

ExhibitionIdentifier_filter

Example
{
  "_and": [ExhibitionIdentifier_filter],
  "_or": [ExhibitionIdentifier_filter],
  "date_created": date_filter_operators,
  "date_created_func": datetime_function_filter_operators,
  "date_updated": date_filter_operators,
  "date_updated_func": datetime_function_filter_operators,
  "id": string_filter_operators,
  "identifierOf": Exhibition_filter,
  "name": string_filter_operators,
  "sort": number_filter_operators,
  "status": string_filter_operators,
  "user_created": directus_users_filter,
  "user_updated": directus_users_filter,
  "value": string_filter_operators,
  "valueReference": string_filter_operators
}

Exhibition_filter

Fields
Input Field Description
_and - [Exhibition_filter]
_or - [Exhibition_filter]
date_created - date_filter_operators
date_created_func - datetime_function_filter_operators
date_updated - date_filter_operators
date_updated_func - datetime_function_filter_operators
directusId - number_filter_operators
hasBeaconGroup - BeaconGroup_filter
hasBeaconGroup_func - count_function_filter_operators
hasCollectionGroup - CollectionGroup_filter
hasCollectionGroup_func - count_function_filter_operators
hasMediaObject - MediaObject_Exhibition_filter
hasMediaObject_func - count_function_filter_operators
id - string_filter_operators
identifier - ExhibitionIdentifier_filter
identifier_func - count_function_filter_operators
name - string_filter_operators
sort - number_filter_operators
status - string_filter_operators
user_created - directus_users_filter
user_updated - directus_users_filter
Example
{
  "_and": [Exhibition_filter],
  "_or": [Exhibition_filter],
  "date_created": date_filter_operators,
  "date_created_func": datetime_function_filter_operators,
  "date_updated": date_filter_operators,
  "date_updated_func": datetime_function_filter_operators,
  "directusId": number_filter_operators,
  "hasBeaconGroup": BeaconGroup_filter,
  "hasBeaconGroup_func": count_function_filter_operators,
  "hasCollectionGroup": CollectionGroup_filter,
  "hasCollectionGroup_func": count_function_filter_operators,
  "hasMediaObject": MediaObject_Exhibition_filter,
  "hasMediaObject_func": count_function_filter_operators,
  "id": string_filter_operators,
  "identifier": ExhibitionIdentifier_filter,
  "identifier_func": count_function_filter_operators,
  "name": string_filter_operators,
  "sort": number_filter_operators,
  "status": string_filter_operators,
  "user_created": directus_users_filter,
  "user_updated": directus_users_filter
}

GenderTypeIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "GenderTypeIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [GenderTypeIdentifier_bool_exp],
  "_not": GenderTypeIdentifier_bool_exp,
  "_or": [GenderTypeIdentifier_bool_exp],
  "genderTypeId": uuid_comparison_exp,
  "id": uuid_comparison_exp,
  "name": String_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

GenderTypeIdentifier_order_by

Description

Ordering options when selecting data from "GenderTypeIdentifier".

Fields
Input Field Description
genderTypeId - order_by
id - order_by
name - order_by
value - order_by
valueReference - order_by
Example
{
  "genderTypeId": "asc",
  "id": "asc",
  "name": "asc",
  "value": "asc",
  "valueReference": "asc"
}

GenderTypeIdentifier_stream_cursor_input

Description

Streaming cursor of the table "GenderTypeIdentifier"

Fields
Input Field Description
initial_value - GenderTypeIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": GenderTypeIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

GenderTypeIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
genderTypeId - uuid
id - uuid
name - String
value - String
valueReference - String
Example
{
  "genderTypeId": uuid,
  "id": uuid,
  "name": "abc123",
  "value": "abc123",
  "valueReference": "xyz789"
}

Int_comparison_exp

Description

Boolean expression to compare columns of type "Int". All fields are combined with logical 'AND'.

Fields
Input Field Description
_eq - Int
_gt - Int
_gte - Int
_in - [Int!]
_is_null - Boolean
_lt - Int
_lte - Int
_neq - Int
_nin - [Int!]
Example
{
  "_eq": 987,
  "_gt": 987,
  "_gte": 123,
  "_in": [987],
  "_is_null": false,
  "_lt": 987,
  "_lte": 123,
  "_neq": 123,
  "_nin": [123]
}

InvoiceIdentifier_aggregate_order_by

Description

order by aggregate values of table "InvoiceIdentifier"

Fields
Input Field Description
count - order_by
max - InvoiceIdentifier_max_order_by
min - InvoiceIdentifier_min_order_by
Example
{
  "count": "asc",
  "max": InvoiceIdentifier_max_order_by,
  "min": InvoiceIdentifier_min_order_by
}

InvoiceIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "InvoiceIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [InvoiceIdentifier_bool_exp],
  "_not": InvoiceIdentifier_bool_exp,
  "_or": [InvoiceIdentifier_bool_exp],
  "id": uuid_comparison_exp,
  "invoice": Invoice_bool_exp,
  "invoiceId": uuid_comparison_exp,
  "name": String_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

InvoiceIdentifier_max_order_by

Description

order by max() on columns of table "InvoiceIdentifier"

Fields
Input Field Description
id - order_by
invoiceId - order_by
name - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "invoiceId": "asc",
  "name": "asc",
  "value": "asc",
  "valueReference": "asc"
}

InvoiceIdentifier_min_order_by

Description

order by min() on columns of table "InvoiceIdentifier"

Fields
Input Field Description
id - order_by
invoiceId - order_by
name - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "invoiceId": "asc",
  "name": "asc",
  "value": "asc",
  "valueReference": "asc"
}

InvoiceIdentifier_order_by

Description

Ordering options when selecting data from "InvoiceIdentifier".

Fields
Input Field Description
id - order_by
invoice - Invoice_order_by
invoiceId - order_by
name - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "invoice": Invoice_order_by,
  "invoiceId": "asc",
  "name": "asc",
  "value": "asc",
  "valueReference": "asc"
}

InvoiceIdentifier_stream_cursor_input

Description

Streaming cursor of the table "InvoiceIdentifier"

Fields
Input Field Description
initial_value - InvoiceIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": InvoiceIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

InvoiceIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
id - uuid
invoiceId - uuid
name - String
value - String
valueReference - String
Example
{
  "id": uuid,
  "invoiceId": uuid,
  "name": "abc123",
  "value": "abc123",
  "valueReference": "xyz789"
}

Invoice_aggregate_order_by

Description

order by aggregate values of table "Invoice"

Example
{
  "avg": Invoice_avg_order_by,
  "count": "asc",
  "max": Invoice_max_order_by,
  "min": Invoice_min_order_by,
  "stddev": Invoice_stddev_order_by,
  "stddev_pop": Invoice_stddev_pop_order_by,
  "stddev_samp": Invoice_stddev_samp_order_by,
  "sum": Invoice_sum_order_by,
  "var_pop": Invoice_var_pop_order_by,
  "var_samp": Invoice_var_samp_order_by,
  "variance": Invoice_variance_order_by
}

Invoice_avg_order_by

Description

order by avg() on columns of table "Invoice"

Fields
Input Field Description
minimumPaymentDue - order_by
totalPaymentDue - order_by
Example
{"minimumPaymentDue": "asc", "totalPaymentDue": "asc"}

Invoice_bool_exp

Description

Boolean expression to filter rows from the table "Invoice". All fields are combined with a logical 'AND'.

Fields
Input Field Description
_and - [Invoice_bool_exp!]
_not - Invoice_bool_exp
_or - [Invoice_bool_exp!]
accountId - String_comparison_exp
billingPeriod - String_comparison_exp
broker - Organization_bool_exp
brokerId - uuid_comparison_exp
confirmationNumber - String_comparison_exp
customer - Person_bool_exp
customerId - uuid_comparison_exp
id - uuid_comparison_exp
identifier - InvoiceIdentifier_bool_exp
minimumPaymentDue - numeric_comparison_exp
orderId - uuid_comparison_exp
paymentDueDate - timestamp_comparison_exp
paymentMethod - PaymentMethod_bool_exp
paymentMethodName - PaymentMethod_enum_comparison_exp
paymentStatus - PaymentStatusType_bool_exp
paymentStatusTypeName - PaymentStatusType_enum_comparison_exp
provider - Organization_bool_exp
providerId - uuid_comparison_exp
referencesOrder - Order_bool_exp
scheduledPaymentDate - timestamp_comparison_exp
totalPaymentDue - numeric_comparison_exp
Example
{
  "_and": [Invoice_bool_exp],
  "_not": Invoice_bool_exp,
  "_or": [Invoice_bool_exp],
  "accountId": String_comparison_exp,
  "billingPeriod": String_comparison_exp,
  "broker": Organization_bool_exp,
  "brokerId": uuid_comparison_exp,
  "confirmationNumber": String_comparison_exp,
  "customer": Person_bool_exp,
  "customerId": uuid_comparison_exp,
  "id": uuid_comparison_exp,
  "identifier": InvoiceIdentifier_bool_exp,
  "minimumPaymentDue": numeric_comparison_exp,
  "orderId": uuid_comparison_exp,
  "paymentDueDate": timestamp_comparison_exp,
  "paymentMethod": PaymentMethod_bool_exp,
  "paymentMethodName": PaymentMethod_enum_comparison_exp,
  "paymentStatus": PaymentStatusType_bool_exp,
  "paymentStatusTypeName": PaymentStatusType_enum_comparison_exp,
  "provider": Organization_bool_exp,
  "providerId": uuid_comparison_exp,
  "referencesOrder": Order_bool_exp,
  "scheduledPaymentDate": timestamp_comparison_exp,
  "totalPaymentDue": numeric_comparison_exp
}

Invoice_max_order_by

Description

order by max() on columns of table "Invoice"

Fields
Input Field Description
accountId - order_by
billingPeriod - order_by
brokerId - order_by
confirmationNumber - order_by
customerId - order_by
id - order_by
minimumPaymentDue - order_by
orderId - order_by
paymentDueDate - order_by
providerId - order_by
scheduledPaymentDate - order_by
totalPaymentDue - order_by
Example
{
  "accountId": "asc",
  "billingPeriod": "asc",
  "brokerId": "asc",
  "confirmationNumber": "asc",
  "customerId": "asc",
  "id": "asc",
  "minimumPaymentDue": "asc",
  "orderId": "asc",
  "paymentDueDate": "asc",
  "providerId": "asc",
  "scheduledPaymentDate": "asc",
  "totalPaymentDue": "asc"
}

Invoice_min_order_by

Description

order by min() on columns of table "Invoice"

Fields
Input Field Description
accountId - order_by
billingPeriod - order_by
brokerId - order_by
confirmationNumber - order_by
customerId - order_by
id - order_by
minimumPaymentDue - order_by
orderId - order_by
paymentDueDate - order_by
providerId - order_by
scheduledPaymentDate - order_by
totalPaymentDue - order_by
Example
{
  "accountId": "asc",
  "billingPeriod": "asc",
  "brokerId": "asc",
  "confirmationNumber": "asc",
  "customerId": "asc",
  "id": "asc",
  "minimumPaymentDue": "asc",
  "orderId": "asc",
  "paymentDueDate": "asc",
  "providerId": "asc",
  "scheduledPaymentDate": "asc",
  "totalPaymentDue": "asc"
}

Invoice_order_by

Description

Ordering options when selecting data from "Invoice".

Fields
Input Field Description
accountId - order_by
billingPeriod - order_by
broker - Organization_order_by
brokerId - order_by
confirmationNumber - order_by
customer - Person_order_by
customerId - order_by
id - order_by
identifier_aggregate - InvoiceIdentifier_aggregate_order_by
minimumPaymentDue - order_by
orderId - order_by
paymentDueDate - order_by
paymentMethod - PaymentMethod_order_by
paymentMethodName - order_by
paymentStatus - PaymentStatusType_order_by
paymentStatusTypeName - order_by
provider - Organization_order_by
providerId - order_by
referencesOrder - Order_order_by
scheduledPaymentDate - order_by
totalPaymentDue - order_by
Example
{
  "accountId": "asc",
  "billingPeriod": "asc",
  "broker": Organization_order_by,
  "brokerId": "asc",
  "confirmationNumber": "asc",
  "customer": Person_order_by,
  "customerId": "asc",
  "id": "asc",
  "identifier_aggregate": InvoiceIdentifier_aggregate_order_by,
  "minimumPaymentDue": "asc",
  "orderId": "asc",
  "paymentDueDate": "asc",
  "paymentMethod": PaymentMethod_order_by,
  "paymentMethodName": "asc",
  "paymentStatus": PaymentStatusType_order_by,
  "paymentStatusTypeName": "asc",
  "provider": Organization_order_by,
  "providerId": "asc",
  "referencesOrder": Order_order_by,
  "scheduledPaymentDate": "asc",
  "totalPaymentDue": "asc"
}

Invoice_stddev_order_by

Description

order by stddev() on columns of table "Invoice"

Fields
Input Field Description
minimumPaymentDue - order_by
totalPaymentDue - order_by
Example
{"minimumPaymentDue": "asc", "totalPaymentDue": "asc"}

Invoice_stddev_pop_order_by

Description

order by stddev_pop() on columns of table "Invoice"

Fields
Input Field Description
minimumPaymentDue - order_by
totalPaymentDue - order_by
Example
{"minimumPaymentDue": "asc", "totalPaymentDue": "asc"}

Invoice_stddev_samp_order_by

Description

order by stddev_samp() on columns of table "Invoice"

Fields
Input Field Description
minimumPaymentDue - order_by
totalPaymentDue - order_by
Example
{"minimumPaymentDue": "asc", "totalPaymentDue": "asc"}

Invoice_stream_cursor_input

Description

Streaming cursor of the table "Invoice"

Fields
Input Field Description
initial_value - Invoice_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": Invoice_stream_cursor_value_input,
  "ordering": "ASC"
}

Invoice_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
accountId - String
billingPeriod - String
brokerId - uuid
confirmationNumber - String
customerId - uuid
id - uuid
minimumPaymentDue - numeric
orderId - uuid
paymentDueDate - timestamp
paymentMethodName - PaymentMethod_enum
paymentStatusTypeName - PaymentStatusType_enum
providerId - uuid
scheduledPaymentDate - timestamp
totalPaymentDue - numeric
Example
{
  "accountId": "xyz789",
  "billingPeriod": "xyz789",
  "brokerId": uuid,
  "confirmationNumber": "xyz789",
  "customerId": uuid,
  "id": uuid,
  "minimumPaymentDue": numeric,
  "orderId": uuid,
  "paymentDueDate": timestamp,
  "paymentMethodName": "VISA",
  "paymentStatusTypeName": "default",
  "providerId": uuid,
  "scheduledPaymentDate": timestamp,
  "totalPaymentDue": numeric
}

Invoice_sum_order_by

Description

order by sum() on columns of table "Invoice"

Fields
Input Field Description
minimumPaymentDue - order_by
totalPaymentDue - order_by
Example
{"minimumPaymentDue": "asc", "totalPaymentDue": "asc"}

Invoice_var_pop_order_by

Description

order by var_pop() on columns of table "Invoice"

Fields
Input Field Description
minimumPaymentDue - order_by
totalPaymentDue - order_by
Example
{"minimumPaymentDue": "asc", "totalPaymentDue": "asc"}

Invoice_var_samp_order_by

Description

order by var_samp() on columns of table "Invoice"

Fields
Input Field Description
minimumPaymentDue - order_by
totalPaymentDue - order_by
Example
{"minimumPaymentDue": "asc", "totalPaymentDue": "asc"}

Invoice_variance_order_by

Description

order by variance() on columns of table "Invoice"

Fields
Input Field Description
minimumPaymentDue - order_by
totalPaymentDue - order_by
Example
{"minimumPaymentDue": "asc", "totalPaymentDue": "asc"}

ItemAvailability_bool_exp

Description

Boolean expression to filter rows from the table "ItemAvailability". All fields are combined with a logical 'AND'.

Example
{
  "_and": [ItemAvailability_bool_exp],
  "_not": ItemAvailability_bool_exp,
  "_or": [ItemAvailability_bool_exp],
  "description": String_comparison_exp,
  "id": uuid_comparison_exp,
  "name": String_comparison_exp
}

ItemAvailability_order_by

Description

Ordering options when selecting data from "ItemAvailability".

Fields
Input Field Description
description - order_by
id - order_by
name - order_by
Example
{"description": "asc", "id": "asc", "name": "asc"}

ItemAvailability_stream_cursor_input

Description

Streaming cursor of the table "ItemAvailability"

Fields
Input Field Description
initial_value - ItemAvailability_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": ItemAvailability_stream_cursor_value_input,
  "ordering": "ASC"
}

ItemAvailability_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
description - String
id - uuid
name - String
Example
{
  "description": "abc123",
  "id": uuid,
  "name": "xyz789"
}

Keyword_BeaconGroup_filter

Fields
Input Field Description
BeaconGroup_id - BeaconGroup_filter
Keyword_id - Keyword_filter
_and - [Keyword_BeaconGroup_filter]
_or - [Keyword_BeaconGroup_filter]
id - number_filter_operators
Example
{
  "BeaconGroup_id": BeaconGroup_filter,
  "Keyword_id": Keyword_filter,
  "_and": [Keyword_BeaconGroup_filter],
  "_or": [Keyword_BeaconGroup_filter],
  "id": number_filter_operators
}

Keyword_MediaObject_filter

Fields
Input Field Description
Keyword_id - Keyword_filter
MediaObject_id - MediaObject_filter
_and - [Keyword_MediaObject_filter]
_or - [Keyword_MediaObject_filter]
id - number_filter_operators
Example
{
  "Keyword_id": Keyword_filter,
  "MediaObject_id": MediaObject_filter,
  "_and": [Keyword_MediaObject_filter],
  "_or": [Keyword_MediaObject_filter],
  "id": number_filter_operators
}

Keyword_filter

Fields
Input Field Description
_and - [Keyword_filter]
_or - [Keyword_filter]
date_created - date_filter_operators
date_created_func - datetime_function_filter_operators
date_updated - date_filter_operators
date_updated_func - datetime_function_filter_operators
description - string_filter_operators
hasBeaconGroup - Keyword_BeaconGroup_filter
hasBeaconGroup_func - count_function_filter_operators
id - string_filter_operators
isPartOfMediaObject - Keyword_MediaObject_filter
isPartOfMediaObject_func - count_function_filter_operators
name - string_filter_operators
sort - number_filter_operators
status - string_filter_operators
user_created - directus_users_filter
user_updated - directus_users_filter
Example
{
  "_and": [Keyword_filter],
  "_or": [Keyword_filter],
  "date_created": date_filter_operators,
  "date_created_func": datetime_function_filter_operators,
  "date_updated": date_filter_operators,
  "date_updated_func": datetime_function_filter_operators,
  "description": string_filter_operators,
  "hasBeaconGroup": Keyword_BeaconGroup_filter,
  "hasBeaconGroup_func": count_function_filter_operators,
  "id": string_filter_operators,
  "isPartOfMediaObject": Keyword_MediaObject_filter,
  "isPartOfMediaObject_func": count_function_filter_operators,
  "name": string_filter_operators,
  "sort": number_filter_operators,
  "status": string_filter_operators,
  "user_created": directus_users_filter,
  "user_updated": directus_users_filter
}

LanguageIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "LanguageIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [LanguageIdentifier_bool_exp],
  "_not": LanguageIdentifier_bool_exp,
  "_or": [LanguageIdentifier_bool_exp],
  "id": uuid_comparison_exp,
  "languageId": uuid_comparison_exp,
  "name": String_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

LanguageIdentifier_order_by

Description

Ordering options when selecting data from "LanguageIdentifier".

Fields
Input Field Description
id - order_by
languageId - order_by
name - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "languageId": "asc",
  "name": "asc",
  "value": "asc",
  "valueReference": "asc"
}

LanguageIdentifier_stream_cursor_input

Description

Streaming cursor of the table "LanguageIdentifier"

Fields
Input Field Description
initial_value - LanguageIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": LanguageIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

LanguageIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
id - uuid
languageId - uuid
name - String
value - String
valueReference - String
Example
{
  "id": uuid,
  "languageId": uuid,
  "name": "abc123",
  "value": "abc123",
  "valueReference": "xyz789"
}

MediaObject_Applet_filter

Fields
Input Field Description
Applet_id - Applet_filter
MediaObject_id - MediaObject_filter
_and - [MediaObject_Applet_filter]
_or - [MediaObject_Applet_filter]
id - number_filter_operators
Example
{
  "Applet_id": Applet_filter,
  "MediaObject_id": MediaObject_filter,
  "_and": [MediaObject_Applet_filter],
  "_or": [MediaObject_Applet_filter],
  "id": number_filter_operators
}

MediaObject_Exhibition_filter

Fields
Input Field Description
Exhibition_id - Exhibition_filter
MediaObject_id - MediaObject_filter
_and - [MediaObject_Exhibition_filter]
_or - [MediaObject_Exhibition_filter]
id - number_filter_operators
Example
{
  "Exhibition_id": Exhibition_filter,
  "MediaObject_id": MediaObject_filter,
  "_and": [MediaObject_Exhibition_filter],
  "_or": [MediaObject_Exhibition_filter],
  "id": number_filter_operators
}

MediaObject_files_filter

Fields
Input Field Description
MediaObject_id - MediaObject_filter
_and - [MediaObject_files_filter]
_or - [MediaObject_files_filter]
directus_files_id - directus_files_filter
id - number_filter_operators
Example
{
  "MediaObject_id": MediaObject_filter,
  "_and": [MediaObject_files_filter],
  "_or": [MediaObject_files_filter],
  "directus_files_id": directus_files_filter,
  "id": number_filter_operators
}

MediaObject_filter

Fields
Input Field Description
_and - [MediaObject_filter]
_or - [MediaObject_filter]
additionalType - string_filter_operators
applet - MediaObject_Applet_filter
applet_func - count_function_filter_operators
articleBody - string_filter_operators
assetId - string_filter_operators
audio - directus_files_filter
contentUrl - string_filter_operators
date_created - date_filter_operators
date_created_func - datetime_function_filter_operators
date_updated - date_filter_operators
date_updated_func - datetime_function_filter_operators
description - string_filter_operators
hasCharacter - Character_MediaObject_filter
hasCharacter_func - count_function_filter_operators
hasPin - PinnedMediaObject_filter
hasPin_func - count_function_filter_operators
id - string_filter_operators
image - directus_files_filter
isPartOfCollection - Collection_filter
isPartOfExhibition - MediaObject_Exhibition_filter
isPartOfExhibition_func - count_function_filter_operators
isPartOfNarrativePlace - NarrativePlace_MediaObject_filter
isPartOfNarrativePlace_func - count_function_filter_operators
keyword - Keyword_MediaObject_filter
keyword_func - count_function_filter_operators
mediaRelationship - MediaRelationship_filter
mediaRelationship_func - count_function_filter_operators
messageBody - string_filter_operators
name - string_filter_operators
page - MediaObject_files_filter
page_func - count_function_filter_operators
playerType - string_filter_operators
sort - number_filter_operators
status - string_filter_operators
thumbnail - directus_files_filter
userActivity - UserActivity_filter
userActivity_func - count_function_filter_operators
userMediaState - UserMediaState_filter
userMediaState_func - count_function_filter_operators
user_created - directus_users_filter
user_updated - directus_users_filter
Example
{
  "_and": [MediaObject_filter],
  "_or": [MediaObject_filter],
  "additionalType": string_filter_operators,
  "applet": MediaObject_Applet_filter,
  "applet_func": count_function_filter_operators,
  "articleBody": string_filter_operators,
  "assetId": string_filter_operators,
  "audio": directus_files_filter,
  "contentUrl": string_filter_operators,
  "date_created": date_filter_operators,
  "date_created_func": datetime_function_filter_operators,
  "date_updated": date_filter_operators,
  "date_updated_func": datetime_function_filter_operators,
  "description": string_filter_operators,
  "hasCharacter": Character_MediaObject_filter,
  "hasCharacter_func": count_function_filter_operators,
  "hasPin": PinnedMediaObject_filter,
  "hasPin_func": count_function_filter_operators,
  "id": string_filter_operators,
  "image": directus_files_filter,
  "isPartOfCollection": Collection_filter,
  "isPartOfExhibition": MediaObject_Exhibition_filter,
  "isPartOfExhibition_func": count_function_filter_operators,
  "isPartOfNarrativePlace": NarrativePlace_MediaObject_filter,
  "isPartOfNarrativePlace_func": count_function_filter_operators,
  "keyword": Keyword_MediaObject_filter,
  "keyword_func": count_function_filter_operators,
  "mediaRelationship": MediaRelationship_filter,
  "mediaRelationship_func": count_function_filter_operators,
  "messageBody": string_filter_operators,
  "name": string_filter_operators,
  "page": MediaObject_files_filter,
  "page_func": count_function_filter_operators,
  "playerType": string_filter_operators,
  "sort": number_filter_operators,
  "status": string_filter_operators,
  "thumbnail": directus_files_filter,
  "userActivity": UserActivity_filter,
  "userActivity_func": count_function_filter_operators,
  "userMediaState": UserMediaState_filter,
  "userMediaState_func": count_function_filter_operators,
  "user_created": directus_users_filter,
  "user_updated": directus_users_filter
}

MediaRelationship_filter

Fields
Input Field Description
_and - [MediaRelationship_filter]
_or - [MediaRelationship_filter]
contributor - Contributor_filter
date_created - date_filter_operators
date_created_func - datetime_function_filter_operators
date_updated - date_filter_operators
date_updated_func - datetime_function_filter_operators
hasMediaObject - MediaObject_filter
id - string_filter_operators
roleName - CreditsRole_filter
sort - number_filter_operators
status - string_filter_operators
user_created - directus_users_filter
user_updated - directus_users_filter
Example
{
  "_and": [MediaRelationship_filter],
  "_or": [MediaRelationship_filter],
  "contributor": Contributor_filter,
  "date_created": date_filter_operators,
  "date_created_func": datetime_function_filter_operators,
  "date_updated": date_filter_operators,
  "date_updated_func": datetime_function_filter_operators,
  "hasMediaObject": MediaObject_filter,
  "id": string_filter_operators,
  "roleName": CreditsRole_filter,
  "sort": number_filter_operators,
  "status": string_filter_operators,
  "user_created": directus_users_filter,
  "user_updated": directus_users_filter
}

MembershipProgramIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "MembershipProgramIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [MembershipProgramIdentifier_bool_exp],
  "_not": MembershipProgramIdentifier_bool_exp,
  "_or": [MembershipProgramIdentifier_bool_exp],
  "id": uuid_comparison_exp,
  "membershipProgramId": uuid_comparison_exp,
  "name": String_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

MembershipProgramIdentifier_order_by

Description

Ordering options when selecting data from "MembershipProgramIdentifier".

Fields
Input Field Description
id - order_by
membershipProgramId - order_by
name - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "membershipProgramId": "asc",
  "name": "asc",
  "value": "asc",
  "valueReference": "asc"
}

MembershipProgramIdentifier_stream_cursor_input

Description

Streaming cursor of the table "MembershipProgramIdentifier"

Fields
Input Field Description
initial_value - MembershipProgramIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": MembershipProgramIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

MembershipProgramIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
id - uuid
membershipProgramId - uuid
name - String
value - String
valueReference - String
Example
{
  "id": uuid,
  "membershipProgramId": uuid,
  "name": "abc123",
  "value": "xyz789",
  "valueReference": "xyz789"
}

NarrativePlace_MediaObject_filter

Fields
Input Field Description
MediaObject_id - MediaObject_filter
NarrativePlace_id - NarrativePlace_filter
_and - [NarrativePlace_MediaObject_filter]
_or - [NarrativePlace_MediaObject_filter]
id - number_filter_operators
Example
{
  "MediaObject_id": MediaObject_filter,
  "NarrativePlace_id": NarrativePlace_filter,
  "_and": [NarrativePlace_MediaObject_filter],
  "_or": [NarrativePlace_MediaObject_filter],
  "id": number_filter_operators
}

NarrativePlace_filter

Fields
Input Field Description
_and - [NarrativePlace_filter]
_or - [NarrativePlace_filter]
additionalType - string_filter_operators
apartmentNumber - string_filter_operators
date_created - date_filter_operators
date_created_func - datetime_function_filter_operators
date_updated - date_filter_operators
date_updated_func - datetime_function_filter_operators
description - string_filter_operators
id - string_filter_operators
image - directus_files_filter
isPartOfMediaObject - NarrativePlace_MediaObject_filter
isPartOfMediaObject_func - count_function_filter_operators
name - string_filter_operators
postalCode - string_filter_operators
sort - number_filter_operators
status - string_filter_operators
streetAddress - string_filter_operators
user_created - directus_users_filter
user_updated - directus_users_filter
Example
{
  "_and": [NarrativePlace_filter],
  "_or": [NarrativePlace_filter],
  "additionalType": string_filter_operators,
  "apartmentNumber": string_filter_operators,
  "date_created": date_filter_operators,
  "date_created_func": datetime_function_filter_operators,
  "date_updated": date_filter_operators,
  "date_updated_func": datetime_function_filter_operators,
  "description": string_filter_operators,
  "id": string_filter_operators,
  "image": directus_files_filter,
  "isPartOfMediaObject": NarrativePlace_MediaObject_filter,
  "isPartOfMediaObject_func": count_function_filter_operators,
  "name": string_filter_operators,
  "postalCode": string_filter_operators,
  "sort": number_filter_operators,
  "status": string_filter_operators,
  "streetAddress": string_filter_operators,
  "user_created": directus_users_filter,
  "user_updated": directus_users_filter
}

OfferCatalogIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "OfferCatalogIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [OfferCatalogIdentifier_bool_exp],
  "_not": OfferCatalogIdentifier_bool_exp,
  "_or": [OfferCatalogIdentifier_bool_exp],
  "id": uuid_comparison_exp,
  "name": String_comparison_exp,
  "offerCatalogId": uuid_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

OfferCatalogIdentifier_order_by

Description

Ordering options when selecting data from "OfferCatalogIdentifier".

Fields
Input Field Description
id - order_by
name - order_by
offerCatalogId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "offerCatalogId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

OfferCatalogIdentifier_stream_cursor_input

Description

Streaming cursor of the table "OfferCatalogIdentifier"

Fields
Input Field Description
initial_value - OfferCatalogIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": OfferCatalogIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

OfferCatalogIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
id - uuid
name - String
offerCatalogId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "xyz789",
  "offerCatalogId": uuid,
  "value": "abc123",
  "valueReference": "xyz789"
}

OrderIdentifier_aggregate_order_by

Description

order by aggregate values of table "OrderIdentifier"

Fields
Input Field Description
count - order_by
max - OrderIdentifier_max_order_by
min - OrderIdentifier_min_order_by
Example
{
  "count": "asc",
  "max": OrderIdentifier_max_order_by,
  "min": OrderIdentifier_min_order_by
}

OrderIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "OrderIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [OrderIdentifier_bool_exp],
  "_not": OrderIdentifier_bool_exp,
  "_or": [OrderIdentifier_bool_exp],
  "id": uuid_comparison_exp,
  "name": String_comparison_exp,
  "order": Order_bool_exp,
  "orderId": uuid_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

OrderIdentifier_max_order_by

Description

order by max() on columns of table "OrderIdentifier"

Fields
Input Field Description
id - order_by
name - order_by
orderId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "orderId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

OrderIdentifier_min_order_by

Description

order by min() on columns of table "OrderIdentifier"

Fields
Input Field Description
id - order_by
name - order_by
orderId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "orderId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

OrderIdentifier_order_by

Description

Ordering options when selecting data from "OrderIdentifier".

Fields
Input Field Description
id - order_by
name - order_by
order - Order_order_by
orderId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "order": Order_order_by,
  "orderId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

OrderIdentifier_stream_cursor_input

Description

Streaming cursor of the table "OrderIdentifier"

Fields
Input Field Description
initial_value - OrderIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": OrderIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

OrderIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
id - uuid
name - String
orderId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "abc123",
  "orderId": uuid,
  "value": "xyz789",
  "valueReference": "abc123"
}

OrderItemIdentifier_aggregate_order_by

Description

order by aggregate values of table "OrderItemIdentifier"

Fields
Input Field Description
count - order_by
max - OrderItemIdentifier_max_order_by
min - OrderItemIdentifier_min_order_by
Example
{
  "count": "asc",
  "max": OrderItemIdentifier_max_order_by,
  "min": OrderItemIdentifier_min_order_by
}

OrderItemIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "OrderItemIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [OrderItemIdentifier_bool_exp],
  "_not": OrderItemIdentifier_bool_exp,
  "_or": [OrderItemIdentifier_bool_exp],
  "id": uuid_comparison_exp,
  "name": String_comparison_exp,
  "orderItem": OrderItem_bool_exp,
  "orderItemId": uuid_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

OrderItemIdentifier_max_order_by

Description

order by max() on columns of table "OrderItemIdentifier"

Fields
Input Field Description
id - order_by
name - order_by
orderItemId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "orderItemId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

OrderItemIdentifier_min_order_by

Description

order by min() on columns of table "OrderItemIdentifier"

Fields
Input Field Description
id - order_by
name - order_by
orderItemId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "orderItemId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

OrderItemIdentifier_order_by

Description

Ordering options when selecting data from "OrderItemIdentifier".

Fields
Input Field Description
id - order_by
name - order_by
orderItem - OrderItem_order_by
orderItemId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "orderItem": OrderItem_order_by,
  "orderItemId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

OrderItemIdentifier_stream_cursor_input

Description

Streaming cursor of the table "OrderItemIdentifier"

Fields
Input Field Description
initial_value - OrderItemIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": OrderItemIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

OrderItemIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
id - uuid
name - String
orderItemId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "abc123",
  "orderItemId": uuid,
  "value": "xyz789",
  "valueReference": "abc123"
}

OrderItem_aggregate_order_by

Description

order by aggregate values of table "OrderItem"

Example
{
  "avg": OrderItem_avg_order_by,
  "count": "asc",
  "max": OrderItem_max_order_by,
  "min": OrderItem_min_order_by,
  "stddev": OrderItem_stddev_order_by,
  "stddev_pop": OrderItem_stddev_pop_order_by,
  "stddev_samp": OrderItem_stddev_samp_order_by,
  "sum": OrderItem_sum_order_by,
  "var_pop": OrderItem_var_pop_order_by,
  "var_samp": OrderItem_var_samp_order_by,
  "variance": OrderItem_variance_order_by
}

OrderItem_avg_order_by

Description

order by avg() on columns of table "OrderItem"

Fields
Input Field Description
orderQuantity - order_by
totalPaymentDue - order_by
Example
{"orderQuantity": "asc", "totalPaymentDue": "asc"}

OrderItem_bool_exp

Description

Boolean expression to filter rows from the table "OrderItem". All fields are combined with a logical 'AND'.

Fields
Input Field Description
_and - [OrderItem_bool_exp!]
_not - OrderItem_bool_exp
_or - [OrderItem_bool_exp!]
id - uuid_comparison_exp
identifier - OrderItemIdentifier_bool_exp
order - Order_bool_exp
orderId - uuid_comparison_exp
orderItemStatus - OrderStatus_bool_exp
orderItemStatusName - OrderStatus_enum_comparison_exp
orderQuantity - Int_comparison_exp
product - Product_bool_exp
productId - uuid_comparison_exp
totalPaymentDue - numeric_comparison_exp
Example
{
  "_and": [OrderItem_bool_exp],
  "_not": OrderItem_bool_exp,
  "_or": [OrderItem_bool_exp],
  "id": uuid_comparison_exp,
  "identifier": OrderItemIdentifier_bool_exp,
  "order": Order_bool_exp,
  "orderId": uuid_comparison_exp,
  "orderItemStatus": OrderStatus_bool_exp,
  "orderItemStatusName": OrderStatus_enum_comparison_exp,
  "orderQuantity": Int_comparison_exp,
  "product": Product_bool_exp,
  "productId": uuid_comparison_exp,
  "totalPaymentDue": numeric_comparison_exp
}

OrderItem_max_order_by

Description

order by max() on columns of table "OrderItem"

Fields
Input Field Description
id - order_by
orderId - order_by
orderQuantity - order_by
productId - order_by
totalPaymentDue - order_by
Example
{
  "id": "asc",
  "orderId": "asc",
  "orderQuantity": "asc",
  "productId": "asc",
  "totalPaymentDue": "asc"
}

OrderItem_min_order_by

Description

order by min() on columns of table "OrderItem"

Fields
Input Field Description
id - order_by
orderId - order_by
orderQuantity - order_by
productId - order_by
totalPaymentDue - order_by
Example
{
  "id": "asc",
  "orderId": "asc",
  "orderQuantity": "asc",
  "productId": "asc",
  "totalPaymentDue": "asc"
}

OrderItem_order_by

Description

Ordering options when selecting data from "OrderItem".

Fields
Input Field Description
id - order_by
identifier_aggregate - OrderItemIdentifier_aggregate_order_by
order - Order_order_by
orderId - order_by
orderItemStatus - OrderStatus_order_by
orderItemStatusName - order_by
orderQuantity - order_by
product - Product_order_by
productId - order_by
totalPaymentDue - order_by
Example
{
  "id": "asc",
  "identifier_aggregate": OrderItemIdentifier_aggregate_order_by,
  "order": Order_order_by,
  "orderId": "asc",
  "orderItemStatus": OrderStatus_order_by,
  "orderItemStatusName": "asc",
  "orderQuantity": "asc",
  "product": Product_order_by,
  "productId": "asc",
  "totalPaymentDue": "asc"
}

OrderItem_stddev_order_by

Description

order by stddev() on columns of table "OrderItem"

Fields
Input Field Description
orderQuantity - order_by
totalPaymentDue - order_by
Example
{"orderQuantity": "asc", "totalPaymentDue": "asc"}

OrderItem_stddev_pop_order_by

Description

order by stddev_pop() on columns of table "OrderItem"

Fields
Input Field Description
orderQuantity - order_by
totalPaymentDue - order_by
Example
{"orderQuantity": "asc", "totalPaymentDue": "asc"}

OrderItem_stddev_samp_order_by

Description

order by stddev_samp() on columns of table "OrderItem"

Fields
Input Field Description
orderQuantity - order_by
totalPaymentDue - order_by
Example
{"orderQuantity": "asc", "totalPaymentDue": "asc"}

OrderItem_stream_cursor_input

Description

Streaming cursor of the table "OrderItem"

Fields
Input Field Description
initial_value - OrderItem_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": OrderItem_stream_cursor_value_input,
  "ordering": "ASC"
}

OrderItem_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
id - uuid
orderId - uuid
orderItemStatusName - OrderStatus_enum
orderQuantity - Int
productId - uuid
totalPaymentDue - numeric
Example
{
  "id": uuid,
  "orderId": uuid,
  "orderItemStatusName": "OrderCancelled",
  "orderQuantity": 123,
  "productId": uuid,
  "totalPaymentDue": numeric
}

OrderItem_sum_order_by

Description

order by sum() on columns of table "OrderItem"

Fields
Input Field Description
orderQuantity - order_by
totalPaymentDue - order_by
Example
{"orderQuantity": "asc", "totalPaymentDue": "asc"}

OrderItem_var_pop_order_by

Description

order by var_pop() on columns of table "OrderItem"

Fields
Input Field Description
orderQuantity - order_by
totalPaymentDue - order_by
Example
{"orderQuantity": "asc", "totalPaymentDue": "asc"}

OrderItem_var_samp_order_by

Description

order by var_samp() on columns of table "OrderItem"

Fields
Input Field Description
orderQuantity - order_by
totalPaymentDue - order_by
Example
{"orderQuantity": "asc", "totalPaymentDue": "asc"}

OrderItem_variance_order_by

Description

order by variance() on columns of table "OrderItem"

Fields
Input Field Description
orderQuantity - order_by
totalPaymentDue - order_by
Example
{"orderQuantity": "asc", "totalPaymentDue": "asc"}

OrderStatus_bool_exp

Description

Boolean expression to filter rows from the table "OrderStatus". All fields are combined with a logical 'AND'.

Fields
Input Field Description
_and - [OrderStatus_bool_exp!]
_not - OrderStatus_bool_exp
_or - [OrderStatus_bool_exp!]
description - String_comparison_exp
name - String_comparison_exp
Example
{
  "_and": [OrderStatus_bool_exp],
  "_not": OrderStatus_bool_exp,
  "_or": [OrderStatus_bool_exp],
  "description": String_comparison_exp,
  "name": String_comparison_exp
}

OrderStatus_enum_comparison_exp

Description

Boolean expression to compare columns of type "OrderStatus_enum". All fields are combined with logical 'AND'.

Fields
Input Field Description
_eq - OrderStatus_enum
_in - [OrderStatus_enum!]
_is_null - Boolean
_neq - OrderStatus_enum
_nin - [OrderStatus_enum!]
Example
{
  "_eq": "OrderCancelled",
  "_in": ["OrderCancelled"],
  "_is_null": true,
  "_neq": "OrderCancelled",
  "_nin": ["OrderCancelled"]
}

OrderStatus_order_by

Description

Ordering options when selecting data from "OrderStatus".

Fields
Input Field Description
description - order_by
name - order_by
Example
{"description": "asc", "name": "asc"}

OrderStatus_stream_cursor_input

Description

Streaming cursor of the table "OrderStatus"

Fields
Input Field Description
initial_value - OrderStatus_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": OrderStatus_stream_cursor_value_input,
  "ordering": "ASC"
}

OrderStatus_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
description - String
name - String
Example
{
  "description": "abc123",
  "name": "abc123"
}

Order_aggregate_order_by

Description

order by aggregate values of table "Order"

Example
{
  "avg": Order_avg_order_by,
  "count": "asc",
  "max": Order_max_order_by,
  "min": Order_min_order_by,
  "stddev": Order_stddev_order_by,
  "stddev_pop": Order_stddev_pop_order_by,
  "stddev_samp": Order_stddev_samp_order_by,
  "sum": Order_sum_order_by,
  "var_pop": Order_var_pop_order_by,
  "var_samp": Order_var_samp_order_by,
  "variance": Order_variance_order_by
}

Order_avg_order_by

Description

order by avg() on columns of table "Order"

Fields
Input Field Description
discount - order_by
facePrice - order_by
totalFee - order_by
totalPaymentDue - order_by
totalTax - order_by
Example
{
  "discount": "asc",
  "facePrice": "asc",
  "totalFee": "asc",
  "totalPaymentDue": "asc",
  "totalTax": "asc"
}

Order_bool_exp

Description

Boolean expression to filter rows from the table "Order". All fields are combined with a logical 'AND'.

Fields
Input Field Description
_and - [Order_bool_exp!]
_not - Order_bool_exp
_or - [Order_bool_exp!]
billingAddress - PostalAddress_bool_exp
billingAddressId - uuid_comparison_exp
broker - Organization_bool_exp
brokerId - uuid_comparison_exp
confirmationNumber - String_comparison_exp
customer - Person_bool_exp
customerId - uuid_comparison_exp
discount - numeric_comparison_exp
discountCode - String_comparison_exp
facePrice - numeric_comparison_exp
id - uuid_comparison_exp
identifier - OrderIdentifier_bool_exp
isGift - Boolean_comparison_exp
orderDate - timestamp_comparison_exp
orderNumber - String_comparison_exp
orderStatus - OrderStatus_bool_exp
orderStatusName - OrderStatus_enum_comparison_exp
orderedItem - OrderItem_bool_exp
partOfInvoice - Invoice_bool_exp
reservation - Reservation_bool_exp
seller - Organization_bool_exp
sellerId - uuid_comparison_exp
totalFee - numeric_comparison_exp
totalPaymentDue - numeric_comparison_exp
totalTax - numeric_comparison_exp
Example
{
  "_and": [Order_bool_exp],
  "_not": Order_bool_exp,
  "_or": [Order_bool_exp],
  "billingAddress": PostalAddress_bool_exp,
  "billingAddressId": uuid_comparison_exp,
  "broker": Organization_bool_exp,
  "brokerId": uuid_comparison_exp,
  "confirmationNumber": String_comparison_exp,
  "customer": Person_bool_exp,
  "customerId": uuid_comparison_exp,
  "discount": numeric_comparison_exp,
  "discountCode": String_comparison_exp,
  "facePrice": numeric_comparison_exp,
  "id": uuid_comparison_exp,
  "identifier": OrderIdentifier_bool_exp,
  "isGift": Boolean_comparison_exp,
  "orderDate": timestamp_comparison_exp,
  "orderNumber": String_comparison_exp,
  "orderStatus": OrderStatus_bool_exp,
  "orderStatusName": OrderStatus_enum_comparison_exp,
  "orderedItem": OrderItem_bool_exp,
  "partOfInvoice": Invoice_bool_exp,
  "reservation": Reservation_bool_exp,
  "seller": Organization_bool_exp,
  "sellerId": uuid_comparison_exp,
  "totalFee": numeric_comparison_exp,
  "totalPaymentDue": numeric_comparison_exp,
  "totalTax": numeric_comparison_exp
}

Order_max_order_by

Description

order by max() on columns of table "Order"

Fields
Input Field Description
billingAddressId - order_by
brokerId - order_by
confirmationNumber - order_by
customerId - order_by
discount - order_by
discountCode - order_by
facePrice - order_by
id - order_by
orderDate - order_by
orderNumber - order_by
sellerId - order_by
totalFee - order_by
totalPaymentDue - order_by
totalTax - order_by
Example
{
  "billingAddressId": "asc",
  "brokerId": "asc",
  "confirmationNumber": "asc",
  "customerId": "asc",
  "discount": "asc",
  "discountCode": "asc",
  "facePrice": "asc",
  "id": "asc",
  "orderDate": "asc",
  "orderNumber": "asc",
  "sellerId": "asc",
  "totalFee": "asc",
  "totalPaymentDue": "asc",
  "totalTax": "asc"
}

Order_min_order_by

Description

order by min() on columns of table "Order"

Fields
Input Field Description
billingAddressId - order_by
brokerId - order_by
confirmationNumber - order_by
customerId - order_by
discount - order_by
discountCode - order_by
facePrice - order_by
id - order_by
orderDate - order_by
orderNumber - order_by
sellerId - order_by
totalFee - order_by
totalPaymentDue - order_by
totalTax - order_by
Example
{
  "billingAddressId": "asc",
  "brokerId": "asc",
  "confirmationNumber": "asc",
  "customerId": "asc",
  "discount": "asc",
  "discountCode": "asc",
  "facePrice": "asc",
  "id": "asc",
  "orderDate": "asc",
  "orderNumber": "asc",
  "sellerId": "asc",
  "totalFee": "asc",
  "totalPaymentDue": "asc",
  "totalTax": "asc"
}

Order_order_by

Description

Ordering options when selecting data from "Order".

Fields
Input Field Description
billingAddress - PostalAddress_order_by
billingAddressId - order_by
broker - Organization_order_by
brokerId - order_by
confirmationNumber - order_by
customer - Person_order_by
customerId - order_by
discount - order_by
discountCode - order_by
facePrice - order_by
id - order_by
identifier_aggregate - OrderIdentifier_aggregate_order_by
isGift - order_by
orderDate - order_by
orderNumber - order_by
orderStatus - OrderStatus_order_by
orderStatusName - order_by
orderedItem_aggregate - OrderItem_aggregate_order_by
partOfInvoice_aggregate - Invoice_aggregate_order_by
reservation_aggregate - Reservation_aggregate_order_by
seller - Organization_order_by
sellerId - order_by
totalFee - order_by
totalPaymentDue - order_by
totalTax - order_by
Example
{
  "billingAddress": PostalAddress_order_by,
  "billingAddressId": "asc",
  "broker": Organization_order_by,
  "brokerId": "asc",
  "confirmationNumber": "asc",
  "customer": Person_order_by,
  "customerId": "asc",
  "discount": "asc",
  "discountCode": "asc",
  "facePrice": "asc",
  "id": "asc",
  "identifier_aggregate": OrderIdentifier_aggregate_order_by,
  "isGift": "asc",
  "orderDate": "asc",
  "orderNumber": "asc",
  "orderStatus": OrderStatus_order_by,
  "orderStatusName": "asc",
  "orderedItem_aggregate": OrderItem_aggregate_order_by,
  "partOfInvoice_aggregate": Invoice_aggregate_order_by,
  "reservation_aggregate": Reservation_aggregate_order_by,
  "seller": Organization_order_by,
  "sellerId": "asc",
  "totalFee": "asc",
  "totalPaymentDue": "asc",
  "totalTax": "asc"
}

Order_stddev_order_by

Description

order by stddev() on columns of table "Order"

Fields
Input Field Description
discount - order_by
facePrice - order_by
totalFee - order_by
totalPaymentDue - order_by
totalTax - order_by
Example
{
  "discount": "asc",
  "facePrice": "asc",
  "totalFee": "asc",
  "totalPaymentDue": "asc",
  "totalTax": "asc"
}

Order_stddev_pop_order_by

Description

order by stddev_pop() on columns of table "Order"

Fields
Input Field Description
discount - order_by
facePrice - order_by
totalFee - order_by
totalPaymentDue - order_by
totalTax - order_by
Example
{
  "discount": "asc",
  "facePrice": "asc",
  "totalFee": "asc",
  "totalPaymentDue": "asc",
  "totalTax": "asc"
}

Order_stddev_samp_order_by

Description

order by stddev_samp() on columns of table "Order"

Fields
Input Field Description
discount - order_by
facePrice - order_by
totalFee - order_by
totalPaymentDue - order_by
totalTax - order_by
Example
{
  "discount": "asc",
  "facePrice": "asc",
  "totalFee": "asc",
  "totalPaymentDue": "asc",
  "totalTax": "asc"
}

Order_stream_cursor_input

Description

Streaming cursor of the table "Order"

Fields
Input Field Description
initial_value - Order_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": Order_stream_cursor_value_input,
  "ordering": "ASC"
}

Order_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
billingAddressId - uuid
brokerId - uuid
confirmationNumber - String
customerId - uuid
discount - numeric
discountCode - String
facePrice - numeric
id - uuid
isGift - Boolean
orderDate - timestamp
orderNumber - String
orderStatusName - OrderStatus_enum
sellerId - uuid
totalFee - numeric
totalPaymentDue - numeric
totalTax - numeric
Example
{
  "billingAddressId": uuid,
  "brokerId": uuid,
  "confirmationNumber": "xyz789",
  "customerId": uuid,
  "discount": numeric,
  "discountCode": "abc123",
  "facePrice": numeric,
  "id": uuid,
  "isGift": false,
  "orderDate": timestamp,
  "orderNumber": "xyz789",
  "orderStatusName": "OrderCancelled",
  "sellerId": uuid,
  "totalFee": numeric,
  "totalPaymentDue": numeric,
  "totalTax": numeric
}

Order_sum_order_by

Description

order by sum() on columns of table "Order"

Fields
Input Field Description
discount - order_by
facePrice - order_by
totalFee - order_by
totalPaymentDue - order_by
totalTax - order_by
Example
{
  "discount": "asc",
  "facePrice": "asc",
  "totalFee": "asc",
  "totalPaymentDue": "asc",
  "totalTax": "asc"
}

Order_var_pop_order_by

Description

order by var_pop() on columns of table "Order"

Fields
Input Field Description
discount - order_by
facePrice - order_by
totalFee - order_by
totalPaymentDue - order_by
totalTax - order_by
Example
{
  "discount": "asc",
  "facePrice": "asc",
  "totalFee": "asc",
  "totalPaymentDue": "asc",
  "totalTax": "asc"
}

Order_var_samp_order_by

Description

order by var_samp() on columns of table "Order"

Fields
Input Field Description
discount - order_by
facePrice - order_by
totalFee - order_by
totalPaymentDue - order_by
totalTax - order_by
Example
{
  "discount": "asc",
  "facePrice": "asc",
  "totalFee": "asc",
  "totalPaymentDue": "asc",
  "totalTax": "asc"
}

Order_variance_order_by

Description

order by variance() on columns of table "Order"

Fields
Input Field Description
discount - order_by
facePrice - order_by
totalFee - order_by
totalPaymentDue - order_by
totalTax - order_by
Example
{
  "discount": "asc",
  "facePrice": "asc",
  "totalFee": "asc",
  "totalPaymentDue": "asc",
  "totalTax": "asc"
}

OrganizationIdentifier_aggregate_order_by

Description

order by aggregate values of table "OrganizationIdentifier"

Fields
Input Field Description
count - order_by
max - OrganizationIdentifier_max_order_by
min - OrganizationIdentifier_min_order_by
Example
{
  "count": "asc",
  "max": OrganizationIdentifier_max_order_by,
  "min": OrganizationIdentifier_min_order_by
}

OrganizationIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "OrganizationIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [OrganizationIdentifier_bool_exp],
  "_not": OrganizationIdentifier_bool_exp,
  "_or": [OrganizationIdentifier_bool_exp],
  "id": uuid_comparison_exp,
  "name": String_comparison_exp,
  "organization": Organization_bool_exp,
  "organizationId": uuid_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

OrganizationIdentifier_max_order_by

Description

order by max() on columns of table "OrganizationIdentifier"

Fields
Input Field Description
id - order_by
name - order_by
organizationId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "organizationId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

OrganizationIdentifier_min_order_by

Description

order by min() on columns of table "OrganizationIdentifier"

Fields
Input Field Description
id - order_by
name - order_by
organizationId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "organizationId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

OrganizationIdentifier_order_by

Description

Ordering options when selecting data from "OrganizationIdentifier".

Fields
Input Field Description
id - order_by
name - order_by
organization - Organization_order_by
organizationId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "organization": Organization_order_by,
  "organizationId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

OrganizationIdentifier_stream_cursor_input

Description

Streaming cursor of the table "OrganizationIdentifier"

Fields
Input Field Description
initial_value - OrganizationIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": OrganizationIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

OrganizationIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
id - uuid
name - String
organizationId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "xyz789",
  "organizationId": uuid,
  "value": "abc123",
  "valueReference": "abc123"
}

Organization_aggregate_order_by

Description

order by aggregate values of table "Organization"

Fields
Input Field Description
count - order_by
max - Organization_max_order_by
min - Organization_min_order_by
Example
{
  "count": "asc",
  "max": Organization_max_order_by,
  "min": Organization_min_order_by
}

Organization_bool_exp

Description

Boolean expression to filter rows from the table "Organization". All fields are combined with a logical 'AND'.

Fields
Input Field Description
_and - [Organization_bool_exp!]
_not - Organization_bool_exp
_or - [Organization_bool_exp!]
address - PostalAddress_bool_exp
affiliated - Person_bool_exp
alternateName - String_comparison_exp
id - uuid_comparison_exp
identifier - OrganizationIdentifier_bool_exp
invoice_broker - Invoice_bool_exp
invoice_provider - Invoice_bool_exp
location - Place_bool_exp
locationId - uuid_comparison_exp
name - String_comparison_exp
order_broker - Order_bool_exp
programMembership - ProgramMembership_bool_exp
reservation_broker - Reservation_bool_exp
reservation_proivider - Reservation_bool_exp
seller - Order_bool_exp
ticket - Ticket_bool_exp
url - String_comparison_exp
Example
{
  "_and": [Organization_bool_exp],
  "_not": Organization_bool_exp,
  "_or": [Organization_bool_exp],
  "address": PostalAddress_bool_exp,
  "affiliated": Person_bool_exp,
  "alternateName": String_comparison_exp,
  "id": uuid_comparison_exp,
  "identifier": OrganizationIdentifier_bool_exp,
  "invoice_broker": Invoice_bool_exp,
  "invoice_provider": Invoice_bool_exp,
  "location": Place_bool_exp,
  "locationId": uuid_comparison_exp,
  "name": String_comparison_exp,
  "order_broker": Order_bool_exp,
  "programMembership": ProgramMembership_bool_exp,
  "reservation_broker": Reservation_bool_exp,
  "reservation_proivider": Reservation_bool_exp,
  "seller": Order_bool_exp,
  "ticket": Ticket_bool_exp,
  "url": String_comparison_exp
}

Organization_max_order_by

Description

order by max() on columns of table "Organization"

Fields
Input Field Description
alternateName - order_by
id - order_by
locationId - order_by
name - order_by
url - order_by
Example
{
  "alternateName": "asc",
  "id": "asc",
  "locationId": "asc",
  "name": "asc",
  "url": "asc"
}

Organization_min_order_by

Description

order by min() on columns of table "Organization"

Fields
Input Field Description
alternateName - order_by
id - order_by
locationId - order_by
name - order_by
url - order_by
Example
{
  "alternateName": "asc",
  "id": "asc",
  "locationId": "asc",
  "name": "asc",
  "url": "asc"
}

Organization_order_by

Description

Ordering options when selecting data from "Organization".

Fields
Input Field Description
address_aggregate - PostalAddress_aggregate_order_by
affiliated_aggregate - Person_aggregate_order_by
alternateName - order_by
id - order_by
identifier_aggregate - OrganizationIdentifier_aggregate_order_by
invoice_broker_aggregate - Invoice_aggregate_order_by
invoice_provider_aggregate - Invoice_aggregate_order_by
location - Place_order_by
locationId - order_by
name - order_by
order_broker_aggregate - Order_aggregate_order_by
programMembership_aggregate - ProgramMembership_aggregate_order_by
reservation_broker_aggregate - Reservation_aggregate_order_by
reservation_proivider_aggregate - Reservation_aggregate_order_by
seller_aggregate - Order_aggregate_order_by
ticket_aggregate - Ticket_aggregate_order_by
url - order_by
Example
{
  "address_aggregate": PostalAddress_aggregate_order_by,
  "affiliated_aggregate": Person_aggregate_order_by,
  "alternateName": "asc",
  "id": "asc",
  "identifier_aggregate": OrganizationIdentifier_aggregate_order_by,
  "invoice_broker_aggregate": Invoice_aggregate_order_by,
  "invoice_provider_aggregate": Invoice_aggregate_order_by,
  "location": Place_order_by,
  "locationId": "asc",
  "name": "asc",
  "order_broker_aggregate": Order_aggregate_order_by,
  "programMembership_aggregate": ProgramMembership_aggregate_order_by,
  "reservation_broker_aggregate": Reservation_aggregate_order_by,
  "reservation_proivider_aggregate": Reservation_aggregate_order_by,
  "seller_aggregate": Order_aggregate_order_by,
  "ticket_aggregate": Ticket_aggregate_order_by,
  "url": "asc"
}

Organization_stream_cursor_input

Description

Streaming cursor of the table "Organization"

Fields
Input Field Description
initial_value - Organization_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": Organization_stream_cursor_value_input,
  "ordering": "ASC"
}

Organization_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
alternateName - String
id - uuid
locationId - uuid
name - String
url - String
Example
{
  "alternateName": "xyz789",
  "id": uuid,
  "locationId": uuid,
  "name": "abc123",
  "url": "xyz789"
}

ParcelDeliveryIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "ParcelDeliveryIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [ParcelDeliveryIdentifier_bool_exp],
  "_not": ParcelDeliveryIdentifier_bool_exp,
  "_or": [ParcelDeliveryIdentifier_bool_exp],
  "id": uuid_comparison_exp,
  "name": String_comparison_exp,
  "parcelDeliveryId": uuid_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

ParcelDeliveryIdentifier_order_by

Description

Ordering options when selecting data from "ParcelDeliveryIdentifier".

Fields
Input Field Description
id - order_by
name - order_by
parcelDeliveryId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "parcelDeliveryId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

ParcelDeliveryIdentifier_stream_cursor_input

Description

Streaming cursor of the table "ParcelDeliveryIdentifier"

Fields
Input Field Description
initial_value - ParcelDeliveryIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": ParcelDeliveryIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

ParcelDeliveryIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
id - uuid
name - String
parcelDeliveryId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "abc123",
  "parcelDeliveryId": uuid,
  "value": "abc123",
  "valueReference": "abc123"
}

PaymentMethod_bool_exp

Description

Boolean expression to filter rows from the table "PaymentMethod". All fields are combined with a logical 'AND'.

Fields
Input Field Description
_and - [PaymentMethod_bool_exp!]
_not - PaymentMethod_bool_exp
_or - [PaymentMethod_bool_exp!]
description - String_comparison_exp
name - String_comparison_exp
Example
{
  "_and": [PaymentMethod_bool_exp],
  "_not": PaymentMethod_bool_exp,
  "_or": [PaymentMethod_bool_exp],
  "description": String_comparison_exp,
  "name": String_comparison_exp
}

PaymentMethod_enum_comparison_exp

Description

Boolean expression to compare columns of type "PaymentMethod_enum". All fields are combined with logical 'AND'.

Fields
Input Field Description
_eq - PaymentMethod_enum
_in - [PaymentMethod_enum!]
_is_null - Boolean
_neq - PaymentMethod_enum
_nin - [PaymentMethod_enum!]
Example
{
  "_eq": "VISA",
  "_in": ["VISA"],
  "_is_null": true,
  "_neq": "VISA",
  "_nin": ["VISA"]
}

PaymentMethod_order_by

Description

Ordering options when selecting data from "PaymentMethod".

Fields
Input Field Description
description - order_by
name - order_by
Example
{"description": "asc", "name": "asc"}

PaymentMethod_stream_cursor_input

Description

Streaming cursor of the table "PaymentMethod"

Fields
Input Field Description
initial_value - PaymentMethod_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": PaymentMethod_stream_cursor_value_input,
  "ordering": "ASC"
}

PaymentMethod_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
description - String
name - String
Example
{
  "description": "abc123",
  "name": "xyz789"
}

PaymentStatusType_bool_exp

Description

Boolean expression to filter rows from the table "PaymentStatusType". All fields are combined with a logical 'AND'.

Example
{
  "_and": [PaymentStatusType_bool_exp],
  "_not": PaymentStatusType_bool_exp,
  "_or": [PaymentStatusType_bool_exp],
  "description": String_comparison_exp,
  "name": String_comparison_exp
}

PaymentStatusType_enum_comparison_exp

Description

Boolean expression to compare columns of type "PaymentStatusType_enum". All fields are combined with logical 'AND'.

Fields
Input Field Description
_eq - PaymentStatusType_enum
_in - [PaymentStatusType_enum!]
_is_null - Boolean
_neq - PaymentStatusType_enum
_nin - [PaymentStatusType_enum!]
Example
{
  "_eq": "default",
  "_in": ["default"],
  "_is_null": false,
  "_neq": "default",
  "_nin": ["default"]
}

PaymentStatusType_order_by

Description

Ordering options when selecting data from "PaymentStatusType".

Fields
Input Field Description
description - order_by
name - order_by
Example
{"description": "asc", "name": "asc"}

PaymentStatusType_stream_cursor_input

Description

Streaming cursor of the table "PaymentStatusType"

Fields
Input Field Description
initial_value - PaymentStatusType_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": PaymentStatusType_stream_cursor_value_input,
  "ordering": "ASC"
}

PaymentStatusType_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
description - String
name - String
Example
{
  "description": "abc123",
  "name": "abc123"
}

PersonIdentifier_aggregate_order_by

Description

order by aggregate values of table "PersonIdentifier"

Fields
Input Field Description
count - order_by
max - PersonIdentifier_max_order_by
min - PersonIdentifier_min_order_by
Example
{
  "count": "asc",
  "max": PersonIdentifier_max_order_by,
  "min": PersonIdentifier_min_order_by
}

PersonIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "PersonIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [PersonIdentifier_bool_exp],
  "_not": PersonIdentifier_bool_exp,
  "_or": [PersonIdentifier_bool_exp],
  "id": uuid_comparison_exp,
  "name": String_comparison_exp,
  "person": Person_bool_exp,
  "personId": uuid_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

PersonIdentifier_max_order_by

Description

order by max() on columns of table "PersonIdentifier"

Fields
Input Field Description
id - order_by
name - order_by
personId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "personId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

PersonIdentifier_min_order_by

Description

order by min() on columns of table "PersonIdentifier"

Fields
Input Field Description
id - order_by
name - order_by
personId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "personId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

PersonIdentifier_order_by

Description

Ordering options when selecting data from "PersonIdentifier".

Fields
Input Field Description
id - order_by
name - order_by
person - Person_order_by
personId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "person": Person_order_by,
  "personId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

PersonIdentifier_stream_cursor_input

Description

Streaming cursor of the table "PersonIdentifier"

Fields
Input Field Description
initial_value - PersonIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": PersonIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

PersonIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
id - uuid
name - String
personId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "xyz789",
  "personId": uuid,
  "value": "xyz789",
  "valueReference": "xyz789"
}

Person_aggregate_order_by

Description

order by aggregate values of table "Person"

Fields
Input Field Description
count - order_by
max - Person_max_order_by
min - Person_min_order_by
Example
{
  "count": "asc",
  "max": Person_max_order_by,
  "min": Person_min_order_by
}

Person_bool_exp

Description

Boolean expression to filter rows from the table "Person". All fields are combined with a logical 'AND'.

Fields
Input Field Description
_and - [Person_bool_exp!]
_not - Person_bool_exp
_or - [Person_bool_exp!]
address - PostalAddress_bool_exp
affiliation - Organization_bool_exp
affiliationId - uuid_comparison_exp
birthDate - date_comparison_exp
dateCreated - timestamp_comparison_exp
dateModified - timestamp_comparison_exp
email - String_comparison_exp
familyName - String_comparison_exp
givenName - String_comparison_exp
homeLocation - PostalAddress_bool_exp
homeLocationId - uuid_comparison_exp
honorificPrefix - String_comparison_exp
honorificSuffix - String_comparison_exp
id - uuid_comparison_exp
identifier - PersonIdentifier_bool_exp
invoice - Invoice_bool_exp
nationality - Country_bool_exp
nationalityId - uuid_comparison_exp
order - Order_bool_exp
programMembership - ProgramMembership_bool_exp
reservation - Reservation_bool_exp
reservedTicket - Ticket_bool_exp
telephone - String_comparison_exp
Example
{
  "_and": [Person_bool_exp],
  "_not": Person_bool_exp,
  "_or": [Person_bool_exp],
  "address": PostalAddress_bool_exp,
  "affiliation": Organization_bool_exp,
  "affiliationId": uuid_comparison_exp,
  "birthDate": date_comparison_exp,
  "dateCreated": timestamp_comparison_exp,
  "dateModified": timestamp_comparison_exp,
  "email": String_comparison_exp,
  "familyName": String_comparison_exp,
  "givenName": String_comparison_exp,
  "homeLocation": PostalAddress_bool_exp,
  "homeLocationId": uuid_comparison_exp,
  "honorificPrefix": String_comparison_exp,
  "honorificSuffix": String_comparison_exp,
  "id": uuid_comparison_exp,
  "identifier": PersonIdentifier_bool_exp,
  "invoice": Invoice_bool_exp,
  "nationality": Country_bool_exp,
  "nationalityId": uuid_comparison_exp,
  "order": Order_bool_exp,
  "programMembership": ProgramMembership_bool_exp,
  "reservation": Reservation_bool_exp,
  "reservedTicket": Ticket_bool_exp,
  "telephone": String_comparison_exp
}

Person_max_order_by

Description

order by max() on columns of table "Person"

Fields
Input Field Description
affiliationId - order_by
birthDate - order_by
dateCreated - order_by
dateModified - order_by
email - order_by
familyName - order_by
givenName - order_by
homeLocationId - order_by
honorificPrefix - order_by
honorificSuffix - order_by
id - order_by
nationalityId - order_by
telephone - order_by
Example
{
  "affiliationId": "asc",
  "birthDate": "asc",
  "dateCreated": "asc",
  "dateModified": "asc",
  "email": "asc",
  "familyName": "asc",
  "givenName": "asc",
  "homeLocationId": "asc",
  "honorificPrefix": "asc",
  "honorificSuffix": "asc",
  "id": "asc",
  "nationalityId": "asc",
  "telephone": "asc"
}

Person_min_order_by

Description

order by min() on columns of table "Person"

Fields
Input Field Description
affiliationId - order_by
birthDate - order_by
dateCreated - order_by
dateModified - order_by
email - order_by
familyName - order_by
givenName - order_by
homeLocationId - order_by
honorificPrefix - order_by
honorificSuffix - order_by
id - order_by
nationalityId - order_by
telephone - order_by
Example
{
  "affiliationId": "asc",
  "birthDate": "asc",
  "dateCreated": "asc",
  "dateModified": "asc",
  "email": "asc",
  "familyName": "asc",
  "givenName": "asc",
  "homeLocationId": "asc",
  "honorificPrefix": "asc",
  "honorificSuffix": "asc",
  "id": "asc",
  "nationalityId": "asc",
  "telephone": "asc"
}

Person_order_by

Description

Ordering options when selecting data from "Person".

Fields
Input Field Description
address_aggregate - PostalAddress_aggregate_order_by
affiliation - Organization_order_by
affiliationId - order_by
birthDate - order_by
dateCreated - order_by
dateModified - order_by
email - order_by
familyName - order_by
givenName - order_by
homeLocation - PostalAddress_order_by
homeLocationId - order_by
honorificPrefix - order_by
honorificSuffix - order_by
id - order_by
identifier_aggregate - PersonIdentifier_aggregate_order_by
invoice_aggregate - Invoice_aggregate_order_by
nationality - Country_order_by
nationalityId - order_by
order_aggregate - Order_aggregate_order_by
programMembership_aggregate - ProgramMembership_aggregate_order_by
reservation_aggregate - Reservation_aggregate_order_by
reservedTicket_aggregate - Ticket_aggregate_order_by
telephone - order_by
Example
{
  "address_aggregate": PostalAddress_aggregate_order_by,
  "affiliation": Organization_order_by,
  "affiliationId": "asc",
  "birthDate": "asc",
  "dateCreated": "asc",
  "dateModified": "asc",
  "email": "asc",
  "familyName": "asc",
  "givenName": "asc",
  "homeLocation": PostalAddress_order_by,
  "homeLocationId": "asc",
  "honorificPrefix": "asc",
  "honorificSuffix": "asc",
  "id": "asc",
  "identifier_aggregate": PersonIdentifier_aggregate_order_by,
  "invoice_aggregate": Invoice_aggregate_order_by,
  "nationality": Country_order_by,
  "nationalityId": "asc",
  "order_aggregate": Order_aggregate_order_by,
  "programMembership_aggregate": ProgramMembership_aggregate_order_by,
  "reservation_aggregate": Reservation_aggregate_order_by,
  "reservedTicket_aggregate": Ticket_aggregate_order_by,
  "telephone": "asc"
}

Person_stream_cursor_input

Description

Streaming cursor of the table "Person"

Fields
Input Field Description
initial_value - Person_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": Person_stream_cursor_value_input,
  "ordering": "ASC"
}

Person_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
affiliationId - uuid
birthDate - date
dateCreated - timestamp
dateModified - timestamp
email - String
familyName - String
givenName - String
homeLocationId - uuid
honorificPrefix - String
honorificSuffix - String
id - uuid
nationalityId - uuid
telephone - String
Example
{
  "affiliationId": uuid,
  "birthDate": date,
  "dateCreated": timestamp,
  "dateModified": timestamp,
  "email": "xyz789",
  "familyName": "xyz789",
  "givenName": "xyz789",
  "homeLocationId": uuid,
  "honorificPrefix": "abc123",
  "honorificSuffix": "abc123",
  "id": uuid,
  "nationalityId": uuid,
  "telephone": "abc123"
}

PinnedMediaObject_filter

Example
{
  "_and": [PinnedMediaObject_filter],
  "_or": [PinnedMediaObject_filter],
  "applet": Applet_filter,
  "date_created": date_filter_operators,
  "date_created_func": datetime_function_filter_operators,
  "date_updated": date_filter_operators,
  "date_updated_func": datetime_function_filter_operators,
  "endDate": date_filter_operators,
  "endDate_func": datetime_function_filter_operators,
  "id": string_filter_operators,
  "mediaObject": MediaObject_filter,
  "pinStatus": boolean_filter_operators,
  "sort": number_filter_operators,
  "startDate": date_filter_operators,
  "startDate_func": datetime_function_filter_operators,
  "status": string_filter_operators,
  "user_created": directus_users_filter,
  "user_updated": directus_users_filter
}

PlaceIdentifier_aggregate_order_by

Description

order by aggregate values of table "PlaceIdentifier"

Fields
Input Field Description
count - order_by
max - PlaceIdentifier_max_order_by
min - PlaceIdentifier_min_order_by
Example
{
  "count": "asc",
  "max": PlaceIdentifier_max_order_by,
  "min": PlaceIdentifier_min_order_by
}

PlaceIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "PlaceIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [PlaceIdentifier_bool_exp],
  "_not": PlaceIdentifier_bool_exp,
  "_or": [PlaceIdentifier_bool_exp],
  "id": uuid_comparison_exp,
  "name": String_comparison_exp,
  "place": Place_bool_exp,
  "placeId": uuid_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

PlaceIdentifier_max_order_by

Description

order by max() on columns of table "PlaceIdentifier"

Fields
Input Field Description
id - order_by
name - order_by
placeId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "placeId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

PlaceIdentifier_min_order_by

Description

order by min() on columns of table "PlaceIdentifier"

Fields
Input Field Description
id - order_by
name - order_by
placeId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "placeId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

PlaceIdentifier_order_by

Description

Ordering options when selecting data from "PlaceIdentifier".

Fields
Input Field Description
id - order_by
name - order_by
place - Place_order_by
placeId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "place": Place_order_by,
  "placeId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

PlaceIdentifier_stream_cursor_input

Description

Streaming cursor of the table "PlaceIdentifier"

Fields
Input Field Description
initial_value - PlaceIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": PlaceIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

PlaceIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
id - uuid
name - String
placeId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "xyz789",
  "placeId": uuid,
  "value": "abc123",
  "valueReference": "abc123"
}

Place_bool_exp

Description

Boolean expression to filter rows from the table "Place". All fields are combined with a logical 'AND'.

Fields
Input Field Description
_and - [Place_bool_exp!]
_not - Place_bool_exp
_or - [Place_bool_exp!]
additionalProperty - jsonb_comparison_exp
address - PostalAddress_bool_exp
currenciesAccepted - String_comparison_exp
description - String_comparison_exp
event - Event_bool_exp
hasMap - String_comparison_exp
id - uuid_comparison_exp
identifier - PlaceIdentifier_bool_exp
isAccessibleForFree - Boolean_comparison_exp
latitude - numeric_comparison_exp
longitude - numeric_comparison_exp
maximumAttendeeCapacity - Int_comparison_exp
name - String_comparison_exp
organization - Organization_bool_exp
priceRange - String_comparison_exp
publicAccess - Boolean_comparison_exp
slogan - String_comparison_exp
smokingAllowed - Boolean_comparison_exp
telephone - String_comparison_exp
tourBookingPage - String_comparison_exp
url - String_comparison_exp
Example
{
  "_and": [Place_bool_exp],
  "_not": Place_bool_exp,
  "_or": [Place_bool_exp],
  "additionalProperty": jsonb_comparison_exp,
  "address": PostalAddress_bool_exp,
  "currenciesAccepted": String_comparison_exp,
  "description": String_comparison_exp,
  "event": Event_bool_exp,
  "hasMap": String_comparison_exp,
  "id": uuid_comparison_exp,
  "identifier": PlaceIdentifier_bool_exp,
  "isAccessibleForFree": Boolean_comparison_exp,
  "latitude": numeric_comparison_exp,
  "longitude": numeric_comparison_exp,
  "maximumAttendeeCapacity": Int_comparison_exp,
  "name": String_comparison_exp,
  "organization": Organization_bool_exp,
  "priceRange": String_comparison_exp,
  "publicAccess": Boolean_comparison_exp,
  "slogan": String_comparison_exp,
  "smokingAllowed": Boolean_comparison_exp,
  "telephone": String_comparison_exp,
  "tourBookingPage": String_comparison_exp,
  "url": String_comparison_exp
}

Place_order_by

Description

Ordering options when selecting data from "Place".

Fields
Input Field Description
additionalProperty - order_by
address_aggregate - PostalAddress_aggregate_order_by
currenciesAccepted - order_by
description - order_by
event_aggregate - Event_aggregate_order_by
hasMap - order_by
id - order_by
identifier_aggregate - PlaceIdentifier_aggregate_order_by
isAccessibleForFree - order_by
latitude - order_by
longitude - order_by
maximumAttendeeCapacity - order_by
name - order_by
organization_aggregate - Organization_aggregate_order_by
priceRange - order_by
publicAccess - order_by
slogan - order_by
smokingAllowed - order_by
telephone - order_by
tourBookingPage - order_by
url - order_by
Example
{
  "additionalProperty": "asc",
  "address_aggregate": PostalAddress_aggregate_order_by,
  "currenciesAccepted": "asc",
  "description": "asc",
  "event_aggregate": Event_aggregate_order_by,
  "hasMap": "asc",
  "id": "asc",
  "identifier_aggregate": PlaceIdentifier_aggregate_order_by,
  "isAccessibleForFree": "asc",
  "latitude": "asc",
  "longitude": "asc",
  "maximumAttendeeCapacity": "asc",
  "name": "asc",
  "organization_aggregate": Organization_aggregate_order_by,
  "priceRange": "asc",
  "publicAccess": "asc",
  "slogan": "asc",
  "smokingAllowed": "asc",
  "telephone": "asc",
  "tourBookingPage": "asc",
  "url": "asc"
}

Place_stream_cursor_input

Description

Streaming cursor of the table "Place"

Fields
Input Field Description
initial_value - Place_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": Place_stream_cursor_value_input,
  "ordering": "ASC"
}

Place_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
additionalProperty - jsonb
currenciesAccepted - String
description - String
hasMap - String
id - uuid
isAccessibleForFree - Boolean
latitude - numeric
longitude - numeric
maximumAttendeeCapacity - Int
name - String
priceRange - String
publicAccess - Boolean
slogan - String
smokingAllowed - Boolean
telephone - String
tourBookingPage - String
url - String
Example
{
  "additionalProperty": jsonb,
  "currenciesAccepted": "xyz789",
  "description": "xyz789",
  "hasMap": "xyz789",
  "id": uuid,
  "isAccessibleForFree": false,
  "latitude": numeric,
  "longitude": numeric,
  "maximumAttendeeCapacity": 987,
  "name": "xyz789",
  "priceRange": "xyz789",
  "publicAccess": false,
  "slogan": "abc123",
  "smokingAllowed": true,
  "telephone": "abc123",
  "tourBookingPage": "xyz789",
  "url": "abc123"
}

PostalAddressIdentifier_aggregate_order_by

Description

order by aggregate values of table "PostalAddressIdentifier"

Fields
Input Field Description
count - order_by
max - PostalAddressIdentifier_max_order_by
min - PostalAddressIdentifier_min_order_by
Example
{
  "count": "asc",
  "max": PostalAddressIdentifier_max_order_by,
  "min": PostalAddressIdentifier_min_order_by
}

PostalAddressIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "PostalAddressIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [PostalAddressIdentifier_bool_exp],
  "_not": PostalAddressIdentifier_bool_exp,
  "_or": [PostalAddressIdentifier_bool_exp],
  "id": uuid_comparison_exp,
  "name": String_comparison_exp,
  "postalAddress": PostalAddress_bool_exp,
  "postalAddressId": uuid_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

PostalAddressIdentifier_max_order_by

Description

order by max() on columns of table "PostalAddressIdentifier"

Fields
Input Field Description
id - order_by
name - order_by
postalAddressId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "postalAddressId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

PostalAddressIdentifier_min_order_by

Description

order by min() on columns of table "PostalAddressIdentifier"

Fields
Input Field Description
id - order_by
name - order_by
postalAddressId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "postalAddressId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

PostalAddressIdentifier_order_by

Description

Ordering options when selecting data from "PostalAddressIdentifier".

Fields
Input Field Description
id - order_by
name - order_by
postalAddress - PostalAddress_order_by
postalAddressId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "postalAddress": PostalAddress_order_by,
  "postalAddressId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

PostalAddressIdentifier_stream_cursor_input

Description

Streaming cursor of the table "PostalAddressIdentifier"

Fields
Input Field Description
initial_value - PostalAddressIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": PostalAddressIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

PostalAddressIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
id - uuid
name - String
postalAddressId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "xyz789",
  "postalAddressId": uuid,
  "value": "abc123",
  "valueReference": "xyz789"
}

PostalAddress_aggregate_order_by

Description

order by aggregate values of table "PostalAddress"

Fields
Input Field Description
count - order_by
max - PostalAddress_max_order_by
min - PostalAddress_min_order_by
Example
{
  "count": "asc",
  "max": PostalAddress_max_order_by,
  "min": PostalAddress_min_order_by
}

PostalAddress_bool_exp

Description

Boolean expression to filter rows from the table "PostalAddress". All fields are combined with a logical 'AND'.

Fields
Input Field Description
_and - [PostalAddress_bool_exp!]
_not - PostalAddress_bool_exp
_or - [PostalAddress_bool_exp!]
addressCountry - Country_bool_exp
addressCountryId - uuid_comparison_exp
addressLocality - String_comparison_exp
addressRegion - String_comparison_exp
id - uuid_comparison_exp
identifier - PostalAddressIdentifier_bool_exp
name - String_comparison_exp
order - Order_bool_exp
organization - Organization_bool_exp
organizationId - uuid_comparison_exp
person - Person_bool_exp
place - Place_bool_exp
placeId - uuid_comparison_exp
postOfficeBoxNumber - String_comparison_exp
postalCode - String_comparison_exp
streetAddress - String_comparison_exp
telephone - String_comparison_exp
Example
{
  "_and": [PostalAddress_bool_exp],
  "_not": PostalAddress_bool_exp,
  "_or": [PostalAddress_bool_exp],
  "addressCountry": Country_bool_exp,
  "addressCountryId": uuid_comparison_exp,
  "addressLocality": String_comparison_exp,
  "addressRegion": String_comparison_exp,
  "id": uuid_comparison_exp,
  "identifier": PostalAddressIdentifier_bool_exp,
  "name": String_comparison_exp,
  "order": Order_bool_exp,
  "organization": Organization_bool_exp,
  "organizationId": uuid_comparison_exp,
  "person": Person_bool_exp,
  "place": Place_bool_exp,
  "placeId": uuid_comparison_exp,
  "postOfficeBoxNumber": String_comparison_exp,
  "postalCode": String_comparison_exp,
  "streetAddress": String_comparison_exp,
  "telephone": String_comparison_exp
}

PostalAddress_max_order_by

Description

order by max() on columns of table "PostalAddress"

Fields
Input Field Description
addressCountryId - order_by
addressLocality - order_by
addressRegion - order_by
id - order_by
name - order_by
organizationId - order_by
placeId - order_by
postOfficeBoxNumber - order_by
postalCode - order_by
streetAddress - order_by
telephone - order_by
Example
{
  "addressCountryId": "asc",
  "addressLocality": "asc",
  "addressRegion": "asc",
  "id": "asc",
  "name": "asc",
  "organizationId": "asc",
  "placeId": "asc",
  "postOfficeBoxNumber": "asc",
  "postalCode": "asc",
  "streetAddress": "asc",
  "telephone": "asc"
}

PostalAddress_min_order_by

Description

order by min() on columns of table "PostalAddress"

Fields
Input Field Description
addressCountryId - order_by
addressLocality - order_by
addressRegion - order_by
id - order_by
name - order_by
organizationId - order_by
placeId - order_by
postOfficeBoxNumber - order_by
postalCode - order_by
streetAddress - order_by
telephone - order_by
Example
{
  "addressCountryId": "asc",
  "addressLocality": "asc",
  "addressRegion": "asc",
  "id": "asc",
  "name": "asc",
  "organizationId": "asc",
  "placeId": "asc",
  "postOfficeBoxNumber": "asc",
  "postalCode": "asc",
  "streetAddress": "asc",
  "telephone": "asc"
}

PostalAddress_order_by

Description

Ordering options when selecting data from "PostalAddress".

Fields
Input Field Description
addressCountry - Country_order_by
addressCountryId - order_by
addressLocality - order_by
addressRegion - order_by
id - order_by
identifier_aggregate - PostalAddressIdentifier_aggregate_order_by
name - order_by
order_aggregate - Order_aggregate_order_by
organization - Organization_order_by
organizationId - order_by
person - Person_order_by
place - Place_order_by
placeId - order_by
postOfficeBoxNumber - order_by
postalCode - order_by
streetAddress - order_by
telephone - order_by
Example
{
  "addressCountry": Country_order_by,
  "addressCountryId": "asc",
  "addressLocality": "asc",
  "addressRegion": "asc",
  "id": "asc",
  "identifier_aggregate": PostalAddressIdentifier_aggregate_order_by,
  "name": "asc",
  "order_aggregate": Order_aggregate_order_by,
  "organization": Organization_order_by,
  "organizationId": "asc",
  "person": Person_order_by,
  "place": Place_order_by,
  "placeId": "asc",
  "postOfficeBoxNumber": "asc",
  "postalCode": "asc",
  "streetAddress": "asc",
  "telephone": "asc"
}

PostalAddress_stream_cursor_input

Description

Streaming cursor of the table "PostalAddress"

Fields
Input Field Description
initial_value - PostalAddress_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": PostalAddress_stream_cursor_value_input,
  "ordering": "ASC"
}

PostalAddress_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
addressCountryId - uuid
addressLocality - String
addressRegion - String
id - uuid
name - String
organizationId - uuid
placeId - uuid
postOfficeBoxNumber - String
postalCode - String
streetAddress - String
telephone - String
Example
{
  "addressCountryId": uuid,
  "addressLocality": "abc123",
  "addressRegion": "xyz789",
  "id": uuid,
  "name": "abc123",
  "organizationId": uuid,
  "placeId": uuid,
  "postOfficeBoxNumber": "abc123",
  "postalCode": "xyz789",
  "streetAddress": "abc123",
  "telephone": "xyz789"
}

ProductGroupIdentifier_aggregate_order_by

Description

order by aggregate values of table "ProductGroupIdentifier"

Fields
Input Field Description
count - order_by
max - ProductGroupIdentifier_max_order_by
min - ProductGroupIdentifier_min_order_by
Example
{
  "count": "asc",
  "max": ProductGroupIdentifier_max_order_by,
  "min": ProductGroupIdentifier_min_order_by
}

ProductGroupIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "ProductGroupIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [ProductGroupIdentifier_bool_exp],
  "_not": ProductGroupIdentifier_bool_exp,
  "_or": [ProductGroupIdentifier_bool_exp],
  "id": uuid_comparison_exp,
  "name": String_comparison_exp,
  "productGroup": ProductGroup_bool_exp,
  "productGroupId": uuid_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

ProductGroupIdentifier_max_order_by

Description

order by max() on columns of table "ProductGroupIdentifier"

Fields
Input Field Description
id - order_by
name - order_by
productGroupId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "productGroupId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

ProductGroupIdentifier_min_order_by

Description

order by min() on columns of table "ProductGroupIdentifier"

Fields
Input Field Description
id - order_by
name - order_by
productGroupId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "productGroupId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

ProductGroupIdentifier_order_by

Description

Ordering options when selecting data from "ProductGroupIdentifier".

Fields
Input Field Description
id - order_by
name - order_by
productGroup - ProductGroup_order_by
productGroupId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "productGroup": ProductGroup_order_by,
  "productGroupId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

ProductGroupIdentifier_stream_cursor_input

Description

Streaming cursor of the table "ProductGroupIdentifier"

Fields
Input Field Description
initial_value - ProductGroupIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": ProductGroupIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

ProductGroupIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
id - uuid
name - String
productGroupId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "abc123",
  "productGroupId": uuid,
  "value": "xyz789",
  "valueReference": "abc123"
}

ProductGroup_bool_exp

Description

Boolean expression to filter rows from the table "ProductGroup". All fields are combined with a logical 'AND'.

Example
{
  "_and": [ProductGroup_bool_exp],
  "_not": ProductGroup_bool_exp,
  "_or": [ProductGroup_bool_exp],
  "additionalProperty": String_comparison_exp,
  "color": String_comparison_exp,
  "depth": String_comparison_exp,
  "hasMeasurement": String_comparison_exp,
  "hasVariant": Product_bool_exp,
  "height": String_comparison_exp,
  "id": uuid_comparison_exp,
  "identifier": ProductGroupIdentifier_bool_exp,
  "material": String_comparison_exp,
  "name": String_comparison_exp,
  "productGroupId": String_comparison_exp,
  "productId": String_comparison_exp,
  "sku": String_comparison_exp,
  "variesBy": String_comparison_exp,
  "weight": String_comparison_exp,
  "width": String_comparison_exp
}

ProductGroup_order_by

Description

Ordering options when selecting data from "ProductGroup".

Fields
Input Field Description
additionalProperty - order_by
color - order_by
depth - order_by
hasMeasurement - order_by
hasVariant_aggregate - Product_aggregate_order_by
height - order_by
id - order_by
identifier_aggregate - ProductGroupIdentifier_aggregate_order_by
material - order_by
name - order_by
productGroupId - order_by
productId - order_by
sku - order_by
variesBy - order_by
weight - order_by
width - order_by
Example
{
  "additionalProperty": "asc",
  "color": "asc",
  "depth": "asc",
  "hasMeasurement": "asc",
  "hasVariant_aggregate": Product_aggregate_order_by,
  "height": "asc",
  "id": "asc",
  "identifier_aggregate": ProductGroupIdentifier_aggregate_order_by,
  "material": "asc",
  "name": "asc",
  "productGroupId": "asc",
  "productId": "asc",
  "sku": "asc",
  "variesBy": "asc",
  "weight": "asc",
  "width": "asc"
}

ProductGroup_stream_cursor_input

Description

Streaming cursor of the table "ProductGroup"

Fields
Input Field Description
initial_value - ProductGroup_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": ProductGroup_stream_cursor_value_input,
  "ordering": "ASC"
}

ProductGroup_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
additionalProperty - String
color - String
depth - String
hasMeasurement - String
height - String
id - uuid
material - String
name - String
productGroupId - String
productId - String
sku - String
variesBy - String
weight - String
width - String
Example
{
  "additionalProperty": "xyz789",
  "color": "abc123",
  "depth": "abc123",
  "hasMeasurement": "xyz789",
  "height": "xyz789",
  "id": uuid,
  "material": "xyz789",
  "name": "abc123",
  "productGroupId": "abc123",
  "productId": "abc123",
  "sku": "xyz789",
  "variesBy": "xyz789",
  "weight": "xyz789",
  "width": "xyz789"
}

ProductIdentifier_aggregate_order_by

Description

order by aggregate values of table "ProductIdentifier"

Fields
Input Field Description
count - order_by
max - ProductIdentifier_max_order_by
min - ProductIdentifier_min_order_by
Example
{
  "count": "asc",
  "max": ProductIdentifier_max_order_by,
  "min": ProductIdentifier_min_order_by
}

ProductIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "ProductIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [ProductIdentifier_bool_exp],
  "_not": ProductIdentifier_bool_exp,
  "_or": [ProductIdentifier_bool_exp],
  "id": uuid_comparison_exp,
  "name": String_comparison_exp,
  "product": Product_bool_exp,
  "productId": uuid_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

ProductIdentifier_max_order_by

Description

order by max() on columns of table "ProductIdentifier"

Fields
Input Field Description
id - order_by
name - order_by
productId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "productId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

ProductIdentifier_min_order_by

Description

order by min() on columns of table "ProductIdentifier"

Fields
Input Field Description
id - order_by
name - order_by
productId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "productId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

ProductIdentifier_order_by

Description

Ordering options when selecting data from "ProductIdentifier".

Fields
Input Field Description
id - order_by
name - order_by
product - Product_order_by
productId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "product": Product_order_by,
  "productId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

ProductIdentifier_stream_cursor_input

Description

Streaming cursor of the table "ProductIdentifier"

Fields
Input Field Description
initial_value - ProductIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": ProductIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

ProductIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
id - uuid
name - String
productId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "abc123",
  "productId": uuid,
  "value": "abc123",
  "valueReference": "abc123"
}

ProductModelIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "ProductModelIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [ProductModelIdentifier_bool_exp],
  "_not": ProductModelIdentifier_bool_exp,
  "_or": [ProductModelIdentifier_bool_exp],
  "id": uuid_comparison_exp,
  "name": String_comparison_exp,
  "productModelId": uuid_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

ProductModelIdentifier_order_by

Description

Ordering options when selecting data from "ProductModelIdentifier".

Fields
Input Field Description
id - order_by
name - order_by
productModelId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "productModelId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

ProductModelIdentifier_stream_cursor_input

Description

Streaming cursor of the table "ProductModelIdentifier"

Fields
Input Field Description
initial_value - ProductModelIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": ProductModelIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

ProductModelIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
id - uuid
name - String
productModelId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "abc123",
  "productModelId": uuid,
  "value": "xyz789",
  "valueReference": "xyz789"
}

Product_aggregate_order_by

Description

order by aggregate values of table "Product"

Fields
Input Field Description
count - order_by
max - Product_max_order_by
min - Product_min_order_by
Example
{
  "count": "asc",
  "max": Product_max_order_by,
  "min": Product_min_order_by
}

Product_bool_exp

Description

Boolean expression to filter rows from the table "Product". All fields are combined with a logical 'AND'.

Example
{
  "_and": [Product_bool_exp],
  "_not": Product_bool_exp,
  "_or": [Product_bool_exp],
  "additionalProperty": String_comparison_exp,
  "color": String_comparison_exp,
  "depth": String_comparison_exp,
  "hasMeasurement": String_comparison_exp,
  "height": String_comparison_exp,
  "id": uuid_comparison_exp,
  "identifier": ProductIdentifier_bool_exp,
  "isVariantOf": ProductGroup_bool_exp,
  "isVariantOfId": uuid_comparison_exp,
  "material": String_comparison_exp,
  "name": String_comparison_exp,
  "orderItem": OrderItem_bool_exp,
  "productID": String_comparison_exp,
  "sku": String_comparison_exp,
  "weight": String_comparison_exp,
  "width": String_comparison_exp
}

Product_max_order_by

Description

order by max() on columns of table "Product"

Fields
Input Field Description
additionalProperty - order_by
color - order_by
depth - order_by
hasMeasurement - order_by
height - order_by
id - order_by
isVariantOfId - order_by
material - order_by
name - order_by
productID - order_by
sku - order_by
weight - order_by
width - order_by
Example
{
  "additionalProperty": "asc",
  "color": "asc",
  "depth": "asc",
  "hasMeasurement": "asc",
  "height": "asc",
  "id": "asc",
  "isVariantOfId": "asc",
  "material": "asc",
  "name": "asc",
  "productID": "asc",
  "sku": "asc",
  "weight": "asc",
  "width": "asc"
}

Product_min_order_by

Description

order by min() on columns of table "Product"

Fields
Input Field Description
additionalProperty - order_by
color - order_by
depth - order_by
hasMeasurement - order_by
height - order_by
id - order_by
isVariantOfId - order_by
material - order_by
name - order_by
productID - order_by
sku - order_by
weight - order_by
width - order_by
Example
{
  "additionalProperty": "asc",
  "color": "asc",
  "depth": "asc",
  "hasMeasurement": "asc",
  "height": "asc",
  "id": "asc",
  "isVariantOfId": "asc",
  "material": "asc",
  "name": "asc",
  "productID": "asc",
  "sku": "asc",
  "weight": "asc",
  "width": "asc"
}

Product_order_by

Description

Ordering options when selecting data from "Product".

Fields
Input Field Description
additionalProperty - order_by
color - order_by
depth - order_by
hasMeasurement - order_by
height - order_by
id - order_by
identifier_aggregate - ProductIdentifier_aggregate_order_by
isVariantOf - ProductGroup_order_by
isVariantOfId - order_by
material - order_by
name - order_by
orderItem_aggregate - OrderItem_aggregate_order_by
productID - order_by
sku - order_by
weight - order_by
width - order_by
Example
{
  "additionalProperty": "asc",
  "color": "asc",
  "depth": "asc",
  "hasMeasurement": "asc",
  "height": "asc",
  "id": "asc",
  "identifier_aggregate": ProductIdentifier_aggregate_order_by,
  "isVariantOf": ProductGroup_order_by,
  "isVariantOfId": "asc",
  "material": "asc",
  "name": "asc",
  "orderItem_aggregate": OrderItem_aggregate_order_by,
  "productID": "asc",
  "sku": "asc",
  "weight": "asc",
  "width": "asc"
}

Product_stream_cursor_input

Description

Streaming cursor of the table "Product"

Fields
Input Field Description
initial_value - Product_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": Product_stream_cursor_value_input,
  "ordering": "ASC"
}

Product_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
additionalProperty - String
color - String
depth - String
hasMeasurement - String
height - String
id - uuid
isVariantOfId - uuid
material - String
name - String
productID - String
sku - String
weight - String
width - String
Example
{
  "additionalProperty": "abc123",
  "color": "abc123",
  "depth": "xyz789",
  "hasMeasurement": "abc123",
  "height": "xyz789",
  "id": uuid,
  "isVariantOfId": uuid,
  "material": "xyz789",
  "name": "abc123",
  "productID": "xyz789",
  "sku": "abc123",
  "weight": "abc123",
  "width": "abc123"
}

ProgramMembershipIdentifier_aggregate_order_by

Description

order by aggregate values of table "ProgramMembershipIdentifier"

Example
{
  "count": "asc",
  "max": ProgramMembershipIdentifier_max_order_by,
  "min": ProgramMembershipIdentifier_min_order_by
}

ProgramMembershipIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "ProgramMembershipIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [ProgramMembershipIdentifier_bool_exp],
  "_not": ProgramMembershipIdentifier_bool_exp,
  "_or": [ProgramMembershipIdentifier_bool_exp],
  "id": uuid_comparison_exp,
  "name": String_comparison_exp,
  "programMembership": ProgramMembership_bool_exp,
  "programMembershipId": uuid_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

ProgramMembershipIdentifier_max_order_by

Description

order by max() on columns of table "ProgramMembershipIdentifier"

Fields
Input Field Description
id - order_by
name - order_by
programMembershipId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "programMembershipId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

ProgramMembershipIdentifier_min_order_by

Description

order by min() on columns of table "ProgramMembershipIdentifier"

Fields
Input Field Description
id - order_by
name - order_by
programMembershipId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "programMembershipId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

ProgramMembershipIdentifier_order_by

Description

Ordering options when selecting data from "ProgramMembershipIdentifier".

Fields
Input Field Description
id - order_by
name - order_by
programMembership - ProgramMembership_order_by
programMembershipId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "programMembership": ProgramMembership_order_by,
  "programMembershipId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

ProgramMembershipIdentifier_stream_cursor_input

Description

Streaming cursor of the table "ProgramMembershipIdentifier"

Fields
Input Field Description
initial_value - ProgramMembershipIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": ProgramMembershipIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

ProgramMembershipIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
id - uuid
name - String
programMembershipId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "abc123",
  "programMembershipId": uuid,
  "value": "xyz789",
  "valueReference": "xyz789"
}

ProgramMembership_aggregate_order_by

Example
{
  "avg": ProgramMembership_avg_order_by,
  "count": "asc",
  "max": ProgramMembership_max_order_by,
  "min": ProgramMembership_min_order_by,
  "stddev": ProgramMembership_stddev_order_by,
  "stddev_pop": ProgramMembership_stddev_pop_order_by,
  "stddev_samp": ProgramMembership_stddev_samp_order_by,
  "sum": ProgramMembership_sum_order_by,
  "var_pop": ProgramMembership_var_pop_order_by,
  "var_samp": ProgramMembership_var_samp_order_by,
  "variance": ProgramMembership_variance_order_by
}

ProgramMembership_avg_order_by

Description

order by avg() on columns of table "ProgramMembership"

Fields
Input Field Description
membershipPointsEarned - order_by
Example
{"membershipPointsEarned": "asc"}

ProgramMembership_bool_exp

Description

Boolean expression to filter rows from the table "ProgramMembership". All fields are combined with a logical 'AND'.

Fields
Input Field Description
_and - [ProgramMembership_bool_exp!]
_not - ProgramMembership_bool_exp
_or - [ProgramMembership_bool_exp!]
hostingOrganization - Organization_bool_exp
hostingOrganizationId - uuid_comparison_exp
id - uuid_comparison_exp
identifier - ProgramMembershipIdentifier_bool_exp
member - Person_bool_exp
memberId - uuid_comparison_exp
membershipNumber - String_comparison_exp
membershipPointsEarned - Int_comparison_exp
programId - uuid_comparison_exp
reservation - Reservation_bool_exp
validFrom - timestamp_comparison_exp
validThrough - timestamp_comparison_exp
Example
{
  "_and": [ProgramMembership_bool_exp],
  "_not": ProgramMembership_bool_exp,
  "_or": [ProgramMembership_bool_exp],
  "hostingOrganization": Organization_bool_exp,
  "hostingOrganizationId": uuid_comparison_exp,
  "id": uuid_comparison_exp,
  "identifier": ProgramMembershipIdentifier_bool_exp,
  "member": Person_bool_exp,
  "memberId": uuid_comparison_exp,
  "membershipNumber": String_comparison_exp,
  "membershipPointsEarned": Int_comparison_exp,
  "programId": uuid_comparison_exp,
  "reservation": Reservation_bool_exp,
  "validFrom": timestamp_comparison_exp,
  "validThrough": timestamp_comparison_exp
}

ProgramMembership_max_order_by

Description

order by max() on columns of table "ProgramMembership"

Fields
Input Field Description
hostingOrganizationId - order_by
id - order_by
memberId - order_by
membershipNumber - order_by
membershipPointsEarned - order_by
programId - order_by
validFrom - order_by
validThrough - order_by
Example
{
  "hostingOrganizationId": "asc",
  "id": "asc",
  "memberId": "asc",
  "membershipNumber": "asc",
  "membershipPointsEarned": "asc",
  "programId": "asc",
  "validFrom": "asc",
  "validThrough": "asc"
}

ProgramMembership_min_order_by

Description

order by min() on columns of table "ProgramMembership"

Fields
Input Field Description
hostingOrganizationId - order_by
id - order_by
memberId - order_by
membershipNumber - order_by
membershipPointsEarned - order_by
programId - order_by
validFrom - order_by
validThrough - order_by
Example
{
  "hostingOrganizationId": "asc",
  "id": "asc",
  "memberId": "asc",
  "membershipNumber": "asc",
  "membershipPointsEarned": "asc",
  "programId": "asc",
  "validFrom": "asc",
  "validThrough": "asc"
}

ProgramMembership_order_by

Description

Ordering options when selecting data from "ProgramMembership".

Fields
Input Field Description
hostingOrganization - Organization_order_by
hostingOrganizationId - order_by
id - order_by
identifier_aggregate - ProgramMembershipIdentifier_aggregate_order_by
member - Person_order_by
memberId - order_by
membershipNumber - order_by
membershipPointsEarned - order_by
programId - order_by
reservation_aggregate - Reservation_aggregate_order_by
validFrom - order_by
validThrough - order_by
Example
{
  "hostingOrganization": Organization_order_by,
  "hostingOrganizationId": "asc",
  "id": "asc",
  "identifier_aggregate": ProgramMembershipIdentifier_aggregate_order_by,
  "member": Person_order_by,
  "memberId": "asc",
  "membershipNumber": "asc",
  "membershipPointsEarned": "asc",
  "programId": "asc",
  "reservation_aggregate": Reservation_aggregate_order_by,
  "validFrom": "asc",
  "validThrough": "asc"
}

ProgramMembership_stddev_order_by

Description

order by stddev() on columns of table "ProgramMembership"

Fields
Input Field Description
membershipPointsEarned - order_by
Example
{"membershipPointsEarned": "asc"}

ProgramMembership_stddev_pop_order_by

Description

order by stddev_pop() on columns of table "ProgramMembership"

Fields
Input Field Description
membershipPointsEarned - order_by
Example
{"membershipPointsEarned": "asc"}

ProgramMembership_stddev_samp_order_by

Description

order by stddev_samp() on columns of table "ProgramMembership"

Fields
Input Field Description
membershipPointsEarned - order_by
Example
{"membershipPointsEarned": "asc"}

ProgramMembership_stream_cursor_input

Description

Streaming cursor of the table "ProgramMembership"

Fields
Input Field Description
initial_value - ProgramMembership_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": ProgramMembership_stream_cursor_value_input,
  "ordering": "ASC"
}

ProgramMembership_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
hostingOrganizationId - uuid
id - uuid
memberId - uuid
membershipNumber - String
membershipPointsEarned - Int
programId - uuid
validFrom - timestamp
validThrough - timestamp
Example
{
  "hostingOrganizationId": uuid,
  "id": uuid,
  "memberId": uuid,
  "membershipNumber": "xyz789",
  "membershipPointsEarned": 123,
  "programId": uuid,
  "validFrom": timestamp,
  "validThrough": timestamp
}

ProgramMembership_sum_order_by

Description

order by sum() on columns of table "ProgramMembership"

Fields
Input Field Description
membershipPointsEarned - order_by
Example
{"membershipPointsEarned": "asc"}

ProgramMembership_var_pop_order_by

Description

order by var_pop() on columns of table "ProgramMembership"

Fields
Input Field Description
membershipPointsEarned - order_by
Example
{"membershipPointsEarned": "asc"}

ProgramMembership_var_samp_order_by

Description

order by var_samp() on columns of table "ProgramMembership"

Fields
Input Field Description
membershipPointsEarned - order_by
Example
{"membershipPointsEarned": "asc"}

ProgramMembership_variance_order_by

Description

order by variance() on columns of table "ProgramMembership"

Fields
Input Field Description
membershipPointsEarned - order_by
Example
{"membershipPointsEarned": "asc"}

PushNotification_filter

Example
{
  "_and": [PushNotification_filter],
  "_or": [PushNotification_filter],
  "date_created": date_filter_operators,
  "date_created_func": datetime_function_filter_operators,
  "date_updated": date_filter_operators,
  "date_updated_func": datetime_function_filter_operators,
  "id": string_filter_operators,
  "isPartOfCollection": Collection_filter,
  "name": string_filter_operators,
  "sort": number_filter_operators,
  "status": string_filter_operators,
  "subtitle": string_filter_operators,
  "text": string_filter_operators,
  "user_created": directus_users_filter,
  "user_updated": directus_users_filter
}

ReservationIdentifier_aggregate_order_by

Description

order by aggregate values of table "ReservationIdentifier"

Fields
Input Field Description
count - order_by
max - ReservationIdentifier_max_order_by
min - ReservationIdentifier_min_order_by
Example
{
  "count": "asc",
  "max": ReservationIdentifier_max_order_by,
  "min": ReservationIdentifier_min_order_by
}

ReservationIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "ReservationIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [ReservationIdentifier_bool_exp],
  "_not": ReservationIdentifier_bool_exp,
  "_or": [ReservationIdentifier_bool_exp],
  "id": uuid_comparison_exp,
  "name": String_comparison_exp,
  "reservation": Reservation_bool_exp,
  "reservationId": uuid_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

ReservationIdentifier_max_order_by

Description

order by max() on columns of table "ReservationIdentifier"

Fields
Input Field Description
id - order_by
name - order_by
reservationId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "reservationId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

ReservationIdentifier_min_order_by

Description

order by min() on columns of table "ReservationIdentifier"

Fields
Input Field Description
id - order_by
name - order_by
reservationId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "reservationId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

ReservationIdentifier_order_by

Description

Ordering options when selecting data from "ReservationIdentifier".

Fields
Input Field Description
id - order_by
name - order_by
reservation - Reservation_order_by
reservationId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "reservation": Reservation_order_by,
  "reservationId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

ReservationIdentifier_stream_cursor_input

Description

Streaming cursor of the table "ReservationIdentifier"

Fields
Input Field Description
initial_value - ReservationIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": ReservationIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

ReservationIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
id - uuid
name - String
reservationId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "abc123",
  "reservationId": uuid,
  "value": "abc123",
  "valueReference": "abc123"
}

ReservationStatusType_bool_exp

Description

Boolean expression to filter rows from the table "ReservationStatusType". All fields are combined with a logical 'AND'.

Example
{
  "_and": [ReservationStatusType_bool_exp],
  "_not": ReservationStatusType_bool_exp,
  "_or": [ReservationStatusType_bool_exp],
  "description": String_comparison_exp,
  "name": String_comparison_exp
}

ReservationStatusType_enum_comparison_exp

Description

Boolean expression to compare columns of type "ReservationStatusType_enum". All fields are combined with logical 'AND'.

Example
{
  "_eq": "ReservationCancelled",
  "_in": ["ReservationCancelled"],
  "_is_null": true,
  "_neq": "ReservationCancelled",
  "_nin": ["ReservationCancelled"]
}

ReservationStatusType_order_by

Description

Ordering options when selecting data from "ReservationStatusType".

Fields
Input Field Description
description - order_by
name - order_by
Example
{"description": "asc", "name": "asc"}

ReservationStatusType_stream_cursor_input

Description

Streaming cursor of the table "ReservationStatusType"

Fields
Input Field Description
initial_value - ReservationStatusType_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": ReservationStatusType_stream_cursor_value_input,
  "ordering": "ASC"
}

ReservationStatusType_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
description - String
name - String
Example
{
  "description": "abc123",
  "name": "abc123"
}

Reservation_aggregate_order_by

Description

order by aggregate values of table "Reservation"

Example
{
  "avg": Reservation_avg_order_by,
  "count": "asc",
  "max": Reservation_max_order_by,
  "min": Reservation_min_order_by,
  "stddev": Reservation_stddev_order_by,
  "stddev_pop": Reservation_stddev_pop_order_by,
  "stddev_samp": Reservation_stddev_samp_order_by,
  "sum": Reservation_sum_order_by,
  "var_pop": Reservation_var_pop_order_by,
  "var_samp": Reservation_var_samp_order_by,
  "variance": Reservation_variance_order_by
}

Reservation_avg_order_by

Description

order by avg() on columns of table "Reservation"

Fields
Input Field Description
totalPrice - order_by
Example
{"totalPrice": "asc"}

Reservation_bool_exp

Description

Boolean expression to filter rows from the table "Reservation". All fields are combined with a logical 'AND'.

Fields
Input Field Description
_and - [Reservation_bool_exp!]
_not - Reservation_bool_exp
_or - [Reservation_bool_exp!]
bookingTime - timestamp_comparison_exp
broker - Organization_bool_exp
brokerId - uuid_comparison_exp
id - uuid_comparison_exp
identifier - ReservationIdentifier_bool_exp
modifiedTime - timestamp_comparison_exp
orderId - uuid_comparison_exp
partOfOrder - Order_bool_exp
priceCurrency - String_comparison_exp
programMembershipUsed - ProgramMembership_bool_exp
programMembershipUsedId - uuid_comparison_exp
provider - Organization_bool_exp
providerId - uuid_comparison_exp
reservationFor - Entry_bool_exp
reservationForId - uuid_comparison_exp
reservationId - String_comparison_exp
reservationStatus - ReservationStatusType_bool_exp
reservationStatusTypeName - ReservationStatusType_enum_comparison_exp
reservedTicket - Ticket_bool_exp
totalPrice - numeric_comparison_exp
underName - Person_bool_exp
underNameId - uuid_comparison_exp
Example
{
  "_and": [Reservation_bool_exp],
  "_not": Reservation_bool_exp,
  "_or": [Reservation_bool_exp],
  "bookingTime": timestamp_comparison_exp,
  "broker": Organization_bool_exp,
  "brokerId": uuid_comparison_exp,
  "id": uuid_comparison_exp,
  "identifier": ReservationIdentifier_bool_exp,
  "modifiedTime": timestamp_comparison_exp,
  "orderId": uuid_comparison_exp,
  "partOfOrder": Order_bool_exp,
  "priceCurrency": String_comparison_exp,
  "programMembershipUsed": ProgramMembership_bool_exp,
  "programMembershipUsedId": uuid_comparison_exp,
  "provider": Organization_bool_exp,
  "providerId": uuid_comparison_exp,
  "reservationFor": Entry_bool_exp,
  "reservationForId": uuid_comparison_exp,
  "reservationId": String_comparison_exp,
  "reservationStatus": ReservationStatusType_bool_exp,
  "reservationStatusTypeName": ReservationStatusType_enum_comparison_exp,
  "reservedTicket": Ticket_bool_exp,
  "totalPrice": numeric_comparison_exp,
  "underName": Person_bool_exp,
  "underNameId": uuid_comparison_exp
}

Reservation_max_order_by

Description

order by max() on columns of table "Reservation"

Fields
Input Field Description
bookingTime - order_by
brokerId - order_by
id - order_by
modifiedTime - order_by
orderId - order_by
priceCurrency - order_by
programMembershipUsedId - order_by
providerId - order_by
reservationForId - order_by
reservationId - order_by
totalPrice - order_by
underNameId - order_by
Example
{
  "bookingTime": "asc",
  "brokerId": "asc",
  "id": "asc",
  "modifiedTime": "asc",
  "orderId": "asc",
  "priceCurrency": "asc",
  "programMembershipUsedId": "asc",
  "providerId": "asc",
  "reservationForId": "asc",
  "reservationId": "asc",
  "totalPrice": "asc",
  "underNameId": "asc"
}

Reservation_min_order_by

Description

order by min() on columns of table "Reservation"

Fields
Input Field Description
bookingTime - order_by
brokerId - order_by
id - order_by
modifiedTime - order_by
orderId - order_by
priceCurrency - order_by
programMembershipUsedId - order_by
providerId - order_by
reservationForId - order_by
reservationId - order_by
totalPrice - order_by
underNameId - order_by
Example
{
  "bookingTime": "asc",
  "brokerId": "asc",
  "id": "asc",
  "modifiedTime": "asc",
  "orderId": "asc",
  "priceCurrency": "asc",
  "programMembershipUsedId": "asc",
  "providerId": "asc",
  "reservationForId": "asc",
  "reservationId": "asc",
  "totalPrice": "asc",
  "underNameId": "asc"
}

Reservation_order_by

Description

Ordering options when selecting data from "Reservation".

Fields
Input Field Description
bookingTime - order_by
broker - Organization_order_by
brokerId - order_by
id - order_by
identifier_aggregate - ReservationIdentifier_aggregate_order_by
modifiedTime - order_by
orderId - order_by
partOfOrder - Order_order_by
priceCurrency - order_by
programMembershipUsed - ProgramMembership_order_by
programMembershipUsedId - order_by
provider - Organization_order_by
providerId - order_by
reservationFor - Entry_order_by
reservationForId - order_by
reservationId - order_by
reservationStatus - ReservationStatusType_order_by
reservationStatusTypeName - order_by
reservedTicket_aggregate - Ticket_aggregate_order_by
totalPrice - order_by
underName - Person_order_by
underNameId - order_by
Example
{
  "bookingTime": "asc",
  "broker": Organization_order_by,
  "brokerId": "asc",
  "id": "asc",
  "identifier_aggregate": ReservationIdentifier_aggregate_order_by,
  "modifiedTime": "asc",
  "orderId": "asc",
  "partOfOrder": Order_order_by,
  "priceCurrency": "asc",
  "programMembershipUsed": ProgramMembership_order_by,
  "programMembershipUsedId": "asc",
  "provider": Organization_order_by,
  "providerId": "asc",
  "reservationFor": Entry_order_by,
  "reservationForId": "asc",
  "reservationId": "asc",
  "reservationStatus": ReservationStatusType_order_by,
  "reservationStatusTypeName": "asc",
  "reservedTicket_aggregate": Ticket_aggregate_order_by,
  "totalPrice": "asc",
  "underName": Person_order_by,
  "underNameId": "asc"
}

Reservation_stddev_order_by

Description

order by stddev() on columns of table "Reservation"

Fields
Input Field Description
totalPrice - order_by
Example
{"totalPrice": "asc"}

Reservation_stddev_pop_order_by

Description

order by stddev_pop() on columns of table "Reservation"

Fields
Input Field Description
totalPrice - order_by
Example
{"totalPrice": "asc"}

Reservation_stddev_samp_order_by

Description

order by stddev_samp() on columns of table "Reservation"

Fields
Input Field Description
totalPrice - order_by
Example
{"totalPrice": "asc"}

Reservation_stream_cursor_input

Description

Streaming cursor of the table "Reservation"

Fields
Input Field Description
initial_value - Reservation_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": Reservation_stream_cursor_value_input,
  "ordering": "ASC"
}

Reservation_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
bookingTime - timestamp
brokerId - uuid
id - uuid
modifiedTime - timestamp
orderId - uuid
priceCurrency - String
programMembershipUsedId - uuid
providerId - uuid
reservationForId - uuid
reservationId - String
reservationStatusTypeName - ReservationStatusType_enum
totalPrice - numeric
underNameId - uuid
Example
{
  "bookingTime": timestamp,
  "brokerId": uuid,
  "id": uuid,
  "modifiedTime": timestamp,
  "orderId": uuid,
  "priceCurrency": "abc123",
  "programMembershipUsedId": uuid,
  "providerId": uuid,
  "reservationForId": uuid,
  "reservationId": "abc123",
  "reservationStatusTypeName": "ReservationCancelled",
  "totalPrice": numeric,
  "underNameId": uuid
}

Reservation_sum_order_by

Description

order by sum() on columns of table "Reservation"

Fields
Input Field Description
totalPrice - order_by
Example
{"totalPrice": "asc"}

Reservation_var_pop_order_by

Description

order by var_pop() on columns of table "Reservation"

Fields
Input Field Description
totalPrice - order_by
Example
{"totalPrice": "asc"}

Reservation_var_samp_order_by

Description

order by var_samp() on columns of table "Reservation"

Fields
Input Field Description
totalPrice - order_by
Example
{"totalPrice": "asc"}

Reservation_variance_order_by

Description

order by variance() on columns of table "Reservation"

Fields
Input Field Description
totalPrice - order_by
Example
{"totalPrice": "asc"}

ScheduleIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "ScheduleIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [ScheduleIdentifier_bool_exp],
  "_not": ScheduleIdentifier_bool_exp,
  "_or": [ScheduleIdentifier_bool_exp],
  "id": uuid_comparison_exp,
  "name": String_comparison_exp,
  "scheduleId": uuid_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

ScheduleIdentifier_order_by

Description

Ordering options when selecting data from "ScheduleIdentifier".

Fields
Input Field Description
id - order_by
name - order_by
scheduleId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "scheduleId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

ScheduleIdentifier_stream_cursor_input

Description

Streaming cursor of the table "ScheduleIdentifier"

Fields
Input Field Description
initial_value - ScheduleIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": ScheduleIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

ScheduleIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
id - uuid
name - String
scheduleId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "xyz789",
  "scheduleId": uuid,
  "value": "abc123",
  "valueReference": "xyz789"
}

ServiceChannelIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "ServiceChannelIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [ServiceChannelIdentifier_bool_exp],
  "_not": ServiceChannelIdentifier_bool_exp,
  "_or": [ServiceChannelIdentifier_bool_exp],
  "id": uuid_comparison_exp,
  "name": String_comparison_exp,
  "serviceChannelId": uuid_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

ServiceChannelIdentifier_order_by

Description

Ordering options when selecting data from "ServiceChannelIdentifier".

Fields
Input Field Description
id - order_by
name - order_by
serviceChannelId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "serviceChannelId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

ServiceChannelIdentifier_stream_cursor_input

Description

Streaming cursor of the table "ServiceChannelIdentifier"

Fields
Input Field Description
initial_value - ServiceChannelIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": ServiceChannelIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

ServiceChannelIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
id - uuid
name - String
serviceChannelId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "xyz789",
  "serviceChannelId": uuid,
  "value": "xyz789",
  "valueReference": "xyz789"
}

SizeGroupEnumerationIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "SizeGroupEnumerationIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [SizeGroupEnumerationIdentifier_bool_exp],
  "_not": SizeGroupEnumerationIdentifier_bool_exp,
  "_or": [SizeGroupEnumerationIdentifier_bool_exp],
  "id": uuid_comparison_exp,
  "name": String_comparison_exp,
  "sizeGroupEnumerationId": uuid_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

SizeGroupEnumerationIdentifier_order_by

Description

Ordering options when selecting data from "SizeGroupEnumerationIdentifier".

Fields
Input Field Description
id - order_by
name - order_by
sizeGroupEnumerationId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "sizeGroupEnumerationId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

SizeGroupEnumerationIdentifier_stream_cursor_input

Description

Streaming cursor of the table "SizeGroupEnumerationIdentifier"

Fields
Input Field Description
initial_value - SizeGroupEnumerationIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": SizeGroupEnumerationIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

SizeGroupEnumerationIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
id - uuid
name - String
sizeGroupEnumerationId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "xyz789",
  "sizeGroupEnumerationId": uuid,
  "value": "xyz789",
  "valueReference": "abc123"
}

String_comparison_exp

Description

Boolean expression to compare columns of type "String". All fields are combined with logical 'AND'.

Fields
Input Field Description
_eq - String
_gt - String
_gte - String
_ilike - String does the column match the given case-insensitive pattern
_in - [String!]
_iregex - String does the column match the given POSIX regular expression, case insensitive
_is_null - Boolean
_like - String does the column match the given pattern
_lt - String
_lte - String
_neq - String
_nilike - String does the column NOT match the given case-insensitive pattern
_nin - [String!]
_niregex - String does the column NOT match the given POSIX regular expression, case insensitive
_nlike - String does the column NOT match the given pattern
_nregex - String does the column NOT match the given POSIX regular expression, case sensitive
_nsimilar - String does the column NOT match the given SQL regular expression
_regex - String does the column match the given POSIX regular expression, case sensitive
_similar - String does the column match the given SQL regular expression
Example
{
  "_eq": "abc123",
  "_gt": "xyz789",
  "_gte": "xyz789",
  "_ilike": "xyz789",
  "_in": ["xyz789"],
  "_iregex": "xyz789",
  "_is_null": false,
  "_like": "xyz789",
  "_lt": "abc123",
  "_lte": "abc123",
  "_neq": "abc123",
  "_nilike": "xyz789",
  "_nin": ["xyz789"],
  "_niregex": "abc123",
  "_nlike": "abc123",
  "_nregex": "abc123",
  "_nsimilar": "abc123",
  "_regex": "abc123",
  "_similar": "abc123"
}

TicketIdentifier_aggregate_order_by

Description

order by aggregate values of table "TicketIdentifier"

Fields
Input Field Description
count - order_by
max - TicketIdentifier_max_order_by
min - TicketIdentifier_min_order_by
Example
{
  "count": "asc",
  "max": TicketIdentifier_max_order_by,
  "min": TicketIdentifier_min_order_by
}

TicketIdentifier_bool_exp

Description

Boolean expression to filter rows from the table "TicketIdentifier". All fields are combined with a logical 'AND'.

Example
{
  "_and": [TicketIdentifier_bool_exp],
  "_not": TicketIdentifier_bool_exp,
  "_or": [TicketIdentifier_bool_exp],
  "id": uuid_comparison_exp,
  "name": String_comparison_exp,
  "ticket": Ticket_bool_exp,
  "ticketId": uuid_comparison_exp,
  "value": String_comparison_exp,
  "valueReference": String_comparison_exp
}

TicketIdentifier_max_order_by

Description

order by max() on columns of table "TicketIdentifier"

Fields
Input Field Description
id - order_by
name - order_by
ticketId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "ticketId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

TicketIdentifier_min_order_by

Description

order by min() on columns of table "TicketIdentifier"

Fields
Input Field Description
id - order_by
name - order_by
ticketId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "ticketId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

TicketIdentifier_order_by

Description

Ordering options when selecting data from "TicketIdentifier".

Fields
Input Field Description
id - order_by
name - order_by
ticket - Ticket_order_by
ticketId - order_by
value - order_by
valueReference - order_by
Example
{
  "id": "asc",
  "name": "asc",
  "ticket": Ticket_order_by,
  "ticketId": "asc",
  "value": "asc",
  "valueReference": "asc"
}

TicketIdentifier_stream_cursor_input

Description

Streaming cursor of the table "TicketIdentifier"

Fields
Input Field Description
initial_value - TicketIdentifier_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": TicketIdentifier_stream_cursor_value_input,
  "ordering": "ASC"
}

TicketIdentifier_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
id - uuid
name - String
ticketId - uuid
value - String
valueReference - String
Example
{
  "id": uuid,
  "name": "xyz789",
  "ticketId": uuid,
  "value": "xyz789",
  "valueReference": "abc123"
}

Ticket_aggregate_order_by

Description

order by aggregate values of table "Ticket"

Example
{
  "avg": Ticket_avg_order_by,
  "count": "asc",
  "max": Ticket_max_order_by,
  "min": Ticket_min_order_by,
  "stddev": Ticket_stddev_order_by,
  "stddev_pop": Ticket_stddev_pop_order_by,
  "stddev_samp": Ticket_stddev_samp_order_by,
  "sum": Ticket_sum_order_by,
  "var_pop": Ticket_var_pop_order_by,
  "var_samp": Ticket_var_samp_order_by,
  "variance": Ticket_variance_order_by
}

Ticket_avg_order_by

Description

order by avg() on columns of table "Ticket"

Fields
Input Field Description
totalPrice - order_by
Example
{"totalPrice": "asc"}

Ticket_bool_exp

Description

Boolean expression to filter rows from the table "Ticket". All fields are combined with a logical 'AND'.

Fields
Input Field Description
_and - [Ticket_bool_exp!]
_not - Ticket_bool_exp
_or - [Ticket_bool_exp!]
dateIssued - timestamp_comparison_exp
id - uuid_comparison_exp
identifier - TicketIdentifier_bool_exp
isPartOfReservation - Reservation_bool_exp
isPartOfReservationId - uuid_comparison_exp
issuedBy - Organization_bool_exp
issuedById - uuid_comparison_exp
priceCurrency - String_comparison_exp
ticketNumber - String_comparison_exp
ticketToken - String_comparison_exp
totalPrice - numeric_comparison_exp
underName - Person_bool_exp
underNameId - uuid_comparison_exp
Example
{
  "_and": [Ticket_bool_exp],
  "_not": Ticket_bool_exp,
  "_or": [Ticket_bool_exp],
  "dateIssued": timestamp_comparison_exp,
  "id": uuid_comparison_exp,
  "identifier": TicketIdentifier_bool_exp,
  "isPartOfReservation": Reservation_bool_exp,
  "isPartOfReservationId": uuid_comparison_exp,
  "issuedBy": Organization_bool_exp,
  "issuedById": uuid_comparison_exp,
  "priceCurrency": String_comparison_exp,
  "ticketNumber": String_comparison_exp,
  "ticketToken": String_comparison_exp,
  "totalPrice": numeric_comparison_exp,
  "underName": Person_bool_exp,
  "underNameId": uuid_comparison_exp
}

Ticket_max_order_by

Description

order by max() on columns of table "Ticket"

Fields
Input Field Description
dateIssued - order_by
id - order_by
isPartOfReservationId - order_by
issuedById - order_by
priceCurrency - order_by
ticketNumber - order_by
ticketToken - order_by
totalPrice - order_by
underNameId - order_by
Example
{
  "dateIssued": "asc",
  "id": "asc",
  "isPartOfReservationId": "asc",
  "issuedById": "asc",
  "priceCurrency": "asc",
  "ticketNumber": "asc",
  "ticketToken": "asc",
  "totalPrice": "asc",
  "underNameId": "asc"
}

Ticket_min_order_by

Description

order by min() on columns of table "Ticket"

Fields
Input Field Description
dateIssued - order_by
id - order_by
isPartOfReservationId - order_by
issuedById - order_by
priceCurrency - order_by
ticketNumber - order_by
ticketToken - order_by
totalPrice - order_by
underNameId - order_by
Example
{
  "dateIssued": "asc",
  "id": "asc",
  "isPartOfReservationId": "asc",
  "issuedById": "asc",
  "priceCurrency": "asc",
  "ticketNumber": "asc",
  "ticketToken": "asc",
  "totalPrice": "asc",
  "underNameId": "asc"
}

Ticket_order_by

Description

Ordering options when selecting data from "Ticket".

Fields
Input Field Description
dateIssued - order_by
id - order_by
identifier_aggregate - TicketIdentifier_aggregate_order_by
isPartOfReservation - Reservation_order_by
isPartOfReservationId - order_by
issuedBy - Organization_order_by
issuedById - order_by
priceCurrency - order_by
ticketNumber - order_by
ticketToken - order_by
totalPrice - order_by
underName - Person_order_by
underNameId - order_by
Example
{
  "dateIssued": "asc",
  "id": "asc",
  "identifier_aggregate": TicketIdentifier_aggregate_order_by,
  "isPartOfReservation": Reservation_order_by,
  "isPartOfReservationId": "asc",
  "issuedBy": Organization_order_by,
  "issuedById": "asc",
  "priceCurrency": "asc",
  "ticketNumber": "asc",
  "ticketToken": "asc",
  "totalPrice": "asc",
  "underName": Person_order_by,
  "underNameId": "asc"
}

Ticket_stddev_order_by

Description

order by stddev() on columns of table "Ticket"

Fields
Input Field Description
totalPrice - order_by
Example
{"totalPrice": "asc"}

Ticket_stddev_pop_order_by

Description

order by stddev_pop() on columns of table "Ticket"

Fields
Input Field Description
totalPrice - order_by
Example
{"totalPrice": "asc"}

Ticket_stddev_samp_order_by

Description

order by stddev_samp() on columns of table "Ticket"

Fields
Input Field Description
totalPrice - order_by
Example
{"totalPrice": "asc"}

Ticket_stream_cursor_input

Description

Streaming cursor of the table "Ticket"

Fields
Input Field Description
initial_value - Ticket_stream_cursor_value_input! Stream column input with initial value
ordering - cursor_ordering cursor ordering
Example
{
  "initial_value": Ticket_stream_cursor_value_input,
  "ordering": "ASC"
}

Ticket_stream_cursor_value_input

Description

Initial value of the column from where the streaming should start

Fields
Input Field Description
dateIssued - timestamp
id - uuid
isPartOfReservationId - uuid
issuedById - uuid
priceCurrency - String
ticketNumber - String
ticketToken - String
totalPrice - numeric
underNameId - uuid
Example
{
  "dateIssued": timestamp,
  "id": uuid,
  "isPartOfReservationId": uuid,
  "issuedById": uuid,
  "priceCurrency": "abc123",
  "ticketNumber": "abc123",
  "ticketToken": "xyz789",
  "totalPrice": numeric,
  "underNameId": uuid
}

Ticket_sum_order_by

Description

order by sum() on columns of table "Ticket"

Fields
Input Field Description
totalPrice - order_by
Example
{"totalPrice": "asc"}

Ticket_var_pop_order_by

Description

order by var_pop() on columns of table "Ticket"

Fields
Input Field Description
totalPrice - order_by
Example
{"totalPrice": "asc"}

Ticket_var_samp_order_by

Description

order by var_samp() on columns of table "Ticket"

Fields
Input Field Description
totalPrice - order_by
Example
{"totalPrice": "asc"}

Ticket_variance_order_by

Description

order by variance() on columns of table "Ticket"

Fields
Input Field Description
totalPrice - order_by
Example
{"totalPrice": "asc"}

UserActivity_filter

Example
{
  "_and": [UserActivity_filter],
  "_or": [UserActivity_filter],
  "action": string_filter_operators,
  "actionTime": date_filter_operators,
  "actionTime_func": datetime_function_filter_operators,
  "actionTrigger": string_filter_operators,
  "applet": Applet_filter,
  "date_created": date_filter_operators,
  "date_created_func": datetime_function_filter_operators,
  "date_updated": date_filter_operators,
  "date_updated_func": datetime_function_filter_operators,
  "id": string_filter_operators,
  "mediaObject": MediaObject_filter,
  "sort": number_filter_operators,
  "status": string_filter_operators,
  "user": WormholeUser_filter,
  "user_created": directus_users_filter,
  "user_updated": directus_users_filter
}

UserAppletState_filter

Example
{
  "_and": [UserAppletState_filter],
  "_or": [UserAppletState_filter],
  "applet": Applet_filter,
  "date_created": date_filter_operators,
  "date_created_func": datetime_function_filter_operators,
  "date_updated": date_filter_operators,
  "date_updated_func": datetime_function_filter_operators,
  "firstOpenDate": date_filter_operators,
  "firstOpenDate_func": datetime_function_filter_operators,
  "id": string_filter_operators,
  "lastOpenDate": date_filter_operators,
  "lastOpenDate_func": datetime_function_filter_operators,
  "sort": number_filter_operators,
  "status": string_filter_operators,
  "user": WormholeUser_filter,
  "user_created": directus_users_filter,
  "user_updated": directus_users_filter
}

UserMediaState_filter

Fields
Input Field Description
_and - [UserMediaState_filter]
_or - [UserMediaState_filter]
applet - Applet_filter
date_created - date_filter_operators
date_created_func - datetime_function_filter_operators
date_updated - date_filter_operators
date_updated_func - datetime_function_filter_operators
favorite - boolean_filter_operators
firstOpenDate - date_filter_operators
firstOpenDate_func - datetime_function_filter_operators
id - string_filter_operators
lastOpenDate - date_filter_operators
lastOpenDate_func - datetime_function_filter_operators
mediaObject - MediaObject_filter
progressRate - number_filter_operators
sort - number_filter_operators
status - string_filter_operators
user - WormholeUser_filter
userInteractionCount - number_filter_operators
user_created - directus_users_filter
user_updated - directus_users_filter
Example
{
  "_and": [UserMediaState_filter],
  "_or": [UserMediaState_filter],
  "applet": Applet_filter,
  "date_created": date_filter_operators,
  "date_created_func": datetime_function_filter_operators,
  "date_updated": date_filter_operators,
  "date_updated_func": datetime_function_filter_operators,
  "favorite": boolean_filter_operators,
  "firstOpenDate": date_filter_operators,
  "firstOpenDate_func": datetime_function_filter_operators,
  "id": string_filter_operators,
  "lastOpenDate": date_filter_operators,
  "lastOpenDate_func": datetime_function_filter_operators,
  "mediaObject": MediaObject_filter,
  "progressRate": number_filter_operators,
  "sort": number_filter_operators,
  "status": string_filter_operators,
  "user": WormholeUser_filter,
  "userInteractionCount": number_filter_operators,
  "user_created": directus_users_filter,
  "user_updated": directus_users_filter
}

UserUnlockState_filter

Example
{
  "_and": [UserUnlockState_filter],
  "_or": [UserUnlockState_filter],
  "collection": Collection_filter,
  "date_created": date_filter_operators,
  "date_created_func": datetime_function_filter_operators,
  "date_updated": date_filter_operators,
  "date_updated_func": datetime_function_filter_operators,
  "id": string_filter_operators,
  "sort": number_filter_operators,
  "status": string_filter_operators,
  "unlockStatus": string_filter_operators,
  "unlockedTime": date_filter_operators,
  "unlockedTime_func": datetime_function_filter_operators,
  "user": WormholeUser_filter,
  "user_created": directus_users_filter,
  "user_updated": directus_users_filter
}

WormholeRole_filter

Example
{
  "WormholeUser": WormholeUser_WormholeRole_filter,
  "WormholeUser_func": count_function_filter_operators,
  "_and": [WormholeRole_filter],
  "_or": [WormholeRole_filter],
  "date_created": date_filter_operators,
  "date_created_func": datetime_function_filter_operators,
  "date_updated": date_filter_operators,
  "date_updated_func": datetime_function_filter_operators,
  "description": string_filter_operators,
  "id": string_filter_operators,
  "name": string_filter_operators,
  "sort": number_filter_operators,
  "status": string_filter_operators,
  "user_created": directus_users_filter,
  "user_updated": directus_users_filter
}

WormholeUser_WormholeRole_filter

Fields
Input Field Description
WormholeRole_id - WormholeRole_filter
WormholeUser_id - WormholeUser_filter
_and - [WormholeUser_WormholeRole_filter]
_or - [WormholeUser_WormholeRole_filter]
id - number_filter_operators
Example
{
  "WormholeRole_id": WormholeRole_filter,
  "WormholeUser_id": WormholeUser_filter,
  "_and": [WormholeUser_WormholeRole_filter],
  "_or": [WormholeUser_WormholeRole_filter],
  "id": number_filter_operators
}

WormholeUser_filter

Fields
Input Field Description
_and - [WormholeUser_filter]
_or - [WormholeUser_filter]
date_created - date_filter_operators
date_created_func - datetime_function_filter_operators
date_updated - date_filter_operators
date_updated_func - datetime_function_filter_operators
id - string_filter_operators
role - WormholeUser_WormholeRole_filter
role_func - count_function_filter_operators
sort - number_filter_operators
status - string_filter_operators
userActivity - UserActivity_filter
userActivity_func - count_function_filter_operators
userAppletState - UserAppletState_filter
userAppletState_func - count_function_filter_operators
userMediaState - UserMediaState_filter
userMediaState_func - count_function_filter_operators
userUnlockState - UserUnlockState_filter
userUnlockState_func - count_function_filter_operators
user_created - directus_users_filter
user_updated - directus_users_filter
username - string_filter_operators
wormholeId - string_filter_operators
Example
{
  "_and": [WormholeUser_filter],
  "_or": [WormholeUser_filter],
  "date_created": date_filter_operators,
  "date_created_func": datetime_function_filter_operators,
  "date_updated": date_filter_operators,
  "date_updated_func": datetime_function_filter_operators,
  "id": string_filter_operators,
  "role": WormholeUser_WormholeRole_filter,
  "role_func": count_function_filter_operators,
  "sort": number_filter_operators,
  "status": string_filter_operators,
  "userActivity": UserActivity_filter,
  "userActivity_func": count_function_filter_operators,
  "userAppletState": UserAppletState_filter,
  "userAppletState_func": count_function_filter_operators,
  "userMediaState": UserMediaState_filter,
  "userMediaState_func": count_function_filter_operators,
  "userUnlockState": UserUnlockState_filter,
  "userUnlockState_func": count_function_filter_operators,
  "user_created": directus_users_filter,
  "user_updated": directus_users_filter,
  "username": string_filter_operators,
  "wormholeId": string_filter_operators
}

boolean_filter_operators

Fields
Input Field Description
_eq - Boolean
_neq - Boolean
_nnull - Boolean
_null - Boolean
Example
{"_eq": false, "_neq": true, "_nnull": false, "_null": true}

count_function_filter_operators

Fields
Input Field Description
count - number_filter_operators
Example
{"count": number_filter_operators}

date_comparison_exp

Description

Boolean expression to compare columns of type "date". All fields are combined with logical 'AND'.

Fields
Input Field Description
_eq - date
_gt - date
_gte - date
_in - [date!]
_is_null - Boolean
_lt - date
_lte - date
_neq - date
_nin - [date!]
Example
{
  "_eq": date,
  "_gt": date,
  "_gte": date,
  "_in": [date],
  "_is_null": true,
  "_lt": date,
  "_lte": date,
  "_neq": date,
  "_nin": [date]
}

date_filter_operators

Fields
Input Field Description
_between - [GraphQLStringOrFloat]
_eq - String
_gt - String
_gte - String
_in - [String]
_lt - String
_lte - String
_nbetween - [GraphQLStringOrFloat]
_neq - String
_nin - [String]
_nnull - Boolean
_null - Boolean
Example
{
  "_between": [GraphQLStringOrFloat],
  "_eq": "xyz789",
  "_gt": "abc123",
  "_gte": "xyz789",
  "_in": ["abc123"],
  "_lt": "abc123",
  "_lte": "abc123",
  "_nbetween": [GraphQLStringOrFloat],
  "_neq": "abc123",
  "_nin": ["abc123"],
  "_nnull": false,
  "_null": true
}

datetime_function_filter_operators

Example
{
  "day": number_filter_operators,
  "hour": number_filter_operators,
  "minute": number_filter_operators,
  "month": number_filter_operators,
  "second": number_filter_operators,
  "week": number_filter_operators,
  "weekday": number_filter_operators,
  "year": number_filter_operators
}

directus_dashboards_filter

Example
{
  "_and": [directus_dashboards_filter],
  "_or": [directus_dashboards_filter],
  "color": string_filter_operators,
  "date_created": date_filter_operators,
  "date_created_func": datetime_function_filter_operators,
  "icon": string_filter_operators,
  "id": string_filter_operators,
  "name": string_filter_operators,
  "note": string_filter_operators,
  "panels": directus_panels_filter,
  "panels_func": count_function_filter_operators,
  "user_created": directus_users_filter
}

directus_files_filter

Example
{
  "_and": [directus_files_filter],
  "_or": [directus_files_filter],
  "charset": string_filter_operators,
  "description": string_filter_operators,
  "duration": number_filter_operators,
  "embed": string_filter_operators,
  "filename_disk": string_filter_operators,
  "filename_download": string_filter_operators,
  "filesize": number_filter_operators,
  "folder": directus_folders_filter,
  "height": number_filter_operators,
  "id": string_filter_operators,
  "location": string_filter_operators,
  "metadata": string_filter_operators,
  "metadata_func": count_function_filter_operators,
  "modified_by": directus_users_filter,
  "modified_on": date_filter_operators,
  "modified_on_func": datetime_function_filter_operators,
  "storage": string_filter_operators,
  "tags": string_filter_operators,
  "tags_func": count_function_filter_operators,
  "title": string_filter_operators,
  "type": string_filter_operators,
  "uploaded_by": directus_users_filter,
  "uploaded_on": date_filter_operators,
  "uploaded_on_func": datetime_function_filter_operators,
  "width": number_filter_operators
}

directus_folders_filter

Example
{
  "_and": [directus_folders_filter],
  "_or": [directus_folders_filter],
  "id": string_filter_operators,
  "name": string_filter_operators,
  "parent": directus_folders_filter
}

directus_panels_filter

Example
{
  "_and": [directus_panels_filter],
  "_or": [directus_panels_filter],
  "color": string_filter_operators,
  "dashboard": directus_dashboards_filter,
  "date_created": date_filter_operators,
  "date_created_func": datetime_function_filter_operators,
  "height": number_filter_operators,
  "icon": string_filter_operators,
  "id": string_filter_operators,
  "name": string_filter_operators,
  "note": string_filter_operators,
  "options": string_filter_operators,
  "options_func": count_function_filter_operators,
  "position_x": number_filter_operators,
  "position_y": number_filter_operators,
  "show_header": boolean_filter_operators,
  "type": string_filter_operators,
  "user_created": directus_users_filter,
  "width": number_filter_operators
}

directus_roles_filter

Example
{
  "_and": [directus_roles_filter],
  "_or": [directus_roles_filter],
  "admin_access": boolean_filter_operators,
  "app_access": boolean_filter_operators,
  "description": string_filter_operators,
  "enforce_tfa": boolean_filter_operators,
  "icon": string_filter_operators,
  "id": string_filter_operators,
  "ip_access": string_filter_operators,
  "name": string_filter_operators,
  "users": directus_users_filter,
  "users_func": count_function_filter_operators
}

directus_users_filter

Example
{
  "_and": [directus_users_filter],
  "_or": [directus_users_filter],
  "auth_data": string_filter_operators,
  "auth_data_func": count_function_filter_operators,
  "avatar": directus_files_filter,
  "description": string_filter_operators,
  "email": string_filter_operators,
  "email_notifications": boolean_filter_operators,
  "external_identifier": string_filter_operators,
  "first_name": string_filter_operators,
  "id": string_filter_operators,
  "language": string_filter_operators,
  "last_access": date_filter_operators,
  "last_access_func": datetime_function_filter_operators,
  "last_name": string_filter_operators,
  "last_page": string_filter_operators,
  "location": string_filter_operators,
  "password": hash_filter_operators,
  "provider": string_filter_operators,
  "role": directus_roles_filter,
  "status": string_filter_operators,
  "tags": string_filter_operators,
  "tags_func": count_function_filter_operators,
  "tfa_secret": hash_filter_operators,
  "theme": string_filter_operators,
  "title": string_filter_operators,
  "token": hash_filter_operators
}

hash_filter_operators

Fields
Input Field Description
_empty - Boolean
_nempty - Boolean
_nnull - Boolean
_null - Boolean
Example
{"_empty": true, "_nempty": false, "_nnull": true, "_null": true}

jsonb_cast_exp

Fields
Input Field Description
String - String_comparison_exp
Example
{"String": String_comparison_exp}

jsonb_comparison_exp

Description

Boolean expression to compare columns of type "jsonb". All fields are combined with logical 'AND'.

Fields
Input Field Description
_cast - jsonb_cast_exp
_contained_in - jsonb is the column contained in the given json value
_contains - jsonb does the column contain the given json value at the top level
_eq - jsonb
_gt - jsonb
_gte - jsonb
_has_key - String does the string exist as a top-level key in the column
_has_keys_all - [String!] do all of these strings exist as top-level keys in the column
_has_keys_any - [String!] do any of these strings exist as top-level keys in the column
_in - [jsonb!]
_is_null - Boolean
_lt - jsonb
_lte - jsonb
_neq - jsonb
_nin - [jsonb!]
Example
{
  "_cast": jsonb_cast_exp,
  "_contained_in": jsonb,
  "_contains": jsonb,
  "_eq": jsonb,
  "_gt": jsonb,
  "_gte": jsonb,
  "_has_key": "abc123",
  "_has_keys_all": ["xyz789"],
  "_has_keys_any": ["abc123"],
  "_in": [jsonb],
  "_is_null": true,
  "_lt": jsonb,
  "_lte": jsonb,
  "_neq": jsonb,
  "_nin": [jsonb]
}

number_filter_operators

Example
{
  "_between": [GraphQLStringOrFloat],
  "_eq": GraphQLStringOrFloat,
  "_gt": GraphQLStringOrFloat,
  "_gte": GraphQLStringOrFloat,
  "_in": [GraphQLStringOrFloat],
  "_lt": GraphQLStringOrFloat,
  "_lte": GraphQLStringOrFloat,
  "_nbetween": [GraphQLStringOrFloat],
  "_neq": GraphQLStringOrFloat,
  "_nin": [GraphQLStringOrFloat],
  "_nnull": false,
  "_null": false
}

numeric_comparison_exp

Description

Boolean expression to compare columns of type "numeric". All fields are combined with logical 'AND'.

Fields
Input Field Description
_eq - numeric
_gt - numeric
_gte - numeric
_in - [numeric!]
_is_null - Boolean
_lt - numeric
_lte - numeric
_neq - numeric
_nin - [numeric!]
Example
{
  "_eq": numeric,
  "_gt": numeric,
  "_gte": numeric,
  "_in": [numeric],
  "_is_null": true,
  "_lt": numeric,
  "_lte": numeric,
  "_neq": numeric,
  "_nin": [numeric]
}

string_filter_operators

Fields
Input Field Description
_contains - String
_empty - Boolean
_ends_with - String
_eq - String
_icontains - String
_iends_with - String
_in - [String]
_istarts_with - String
_ncontains - String
_nempty - Boolean
_nends_with - String
_neq - String
_niends_with - String
_nin - [String]
_nistarts_with - String
_nnull - Boolean
_nstarts_with - String
_null - Boolean
_starts_with - String
Example
{
  "_contains": "abc123",
  "_empty": true,
  "_ends_with": "abc123",
  "_eq": "abc123",
  "_icontains": "abc123",
  "_iends_with": "abc123",
  "_in": ["abc123"],
  "_istarts_with": "xyz789",
  "_ncontains": "abc123",
  "_nempty": false,
  "_nends_with": "xyz789",
  "_neq": "xyz789",
  "_niends_with": "xyz789",
  "_nin": ["xyz789"],
  "_nistarts_with": "abc123",
  "_nnull": false,
  "_nstarts_with": "abc123",
  "_null": false,
  "_starts_with": "abc123"
}

timestamp_comparison_exp

Description

Boolean expression to compare columns of type "timestamp". All fields are combined with logical 'AND'.

Fields
Input Field Description
_eq - timestamp
_gt - timestamp
_gte - timestamp
_in - [timestamp!]
_is_null - Boolean
_lt - timestamp
_lte - timestamp
_neq - timestamp
_nin - [timestamp!]
Example
{
  "_eq": timestamp,
  "_gt": timestamp,
  "_gte": timestamp,
  "_in": [timestamp],
  "_is_null": true,
  "_lt": timestamp,
  "_lte": timestamp,
  "_neq": timestamp,
  "_nin": [timestamp]
}

uuid_comparison_exp

Description

Boolean expression to compare columns of type "uuid". All fields are combined with logical 'AND'.

Fields
Input Field Description
_eq - uuid
_gt - uuid
_gte - uuid
_in - [uuid!]
_is_null - Boolean
_lt - uuid
_lte - uuid
_neq - uuid
_nin - [uuid!]
Example
{
  "_eq": uuid,
  "_gt": uuid,
  "_gte": uuid,
  "_in": [uuid],
  "_is_null": true,
  "_lt": uuid,
  "_lte": uuid,
  "_neq": uuid,
  "_nin": [uuid]
}

ENUM

ActionIdentifier_select_column

Description

select columns of table "ActionIdentifier"

Values
Enum Value Description

actionId

column name

id

column name

name

column name

value

column name

valueReference

column name
Example
"actionId"

ActionStatusTypeIdentifier_select_column

Description

select columns of table "ActionStatusTypeIdentifier"

Values
Enum Value Description

actionStatusTypeId

column name

id

column name

name

column name

value

column name

valueReference

column name
Example
"actionStatusTypeId"

AdministrativeAreaIdentifier_select_column

Description

select columns of table "AdministrativeAreaIdentifier"

Values
Enum Value Description

administrativeAreaId

column name

id

column name

name

column name

value

column name

valueReference

column name
Example
"administrativeAreaId"

AggregateOfferIdentifier_select_column

Description

select columns of table "AggregateOfferIdentifier"

Values
Enum Value Description

aggregateOfferId

column name

id

column name

name

column name

value

column name

valueReference

column name
Example
"aggregateOfferId"

AudienceIdentifier_select_column

Description

select columns of table "AudienceIdentifier"

Values
Enum Value Description

audienceId

column name

id

column name

name

column name

value

column name

valueReference

column name
Example
"audienceId"

BrandIdentifier_select_column

Description

select columns of table "BrandIdentifier"

Values
Enum Value Description

brandId

column name

id

column name

name

column name

value

column name

valueReference

column name
Example
"brandId"

CountryIdentifier_select_column

Description

select columns of table "CountryIdentifier"

Values
Enum Value Description

countryId

column name

id

column name

name

column name

value

column name

valueReference

column name
Example
"countryId"

Country_select_column

Description

select columns of table "Country"

Values
Enum Value Description

alternateName

column name

id

column name

name

column name
Example
"alternateName"

CreativeWorkIdentifier_select_column

Description

select columns of table "CreativeWorkIdentifier"

Values
Enum Value Description

creativeWorkId

column name

id

column name

name

column name

value

column name

valueReference

column name
Example
"creativeWorkId"

DeliveryEventIdentifier_select_column

Description

select columns of table "DeliveryEventIdentifier"

Values
Enum Value Description

deliveryEventId

column name

id

column name

name

column name

value

column name

valueReference

column name
Example
"deliveryEventId"

DeliveryMethodIdentifier_select_column

Description

select columns of table "DeliveryMethodIdentifier"

Values
Enum Value Description

deliveryMethodId

column name

id

column name

name

column name

value

column name

valueReference

column name
Example
"deliveryMethodId"

EntryIdentifier_select_column

Description

select columns of table "EntryIdentifier"

Values
Enum Value Description

entryId

column name

id

column name

name

column name

value

column name

valueReference

column name
Example
"entryId"

Entry_select_column

Description

select columns of table "Entry"

Values
Enum Value Description

dateCreated

column name

dateDeleted

column name

dateModified

column name

doorTime

column name

endDate

column name

eventStatusTypeName

column name

id

column name

maximumAttendeeCapacity

column name

maximumPhysicalAttendeeCapacity

column name

maximumVirtualAttendeeCapacity

column name

previousStartDate

column name

startDate

column name

superEventId

column name
Example
"dateCreated"

EventEnum

Values
Enum Value Description

create

delete

update

Example
"create"

EventIdentifier_select_column

Description

select columns of table "EventIdentifier"

Values
Enum Value Description

eventId

column name

id

column name

name

column name

value

column name

valueReference

column name
Example
"eventId"

EventStatusType_enum

Values
Enum Value Description

EventCancelled

EventMovedOnline

EventPostponed

EventRescheduled

EventScheduled

False

Example
"EventCancelled"

EventStatusType_select_column

Description

select columns of table "EventStatusType"

Values
Enum Value Description

description

column name

name

column name
Example
"description"

Event_select_column

Description

select columns of table "Event"

Values
Enum Value Description

duration

column name

eventStatusTypeName

column name

id

column name

isAccessibleForFree

column name

locationId

column name

name

column name

typicalAgeRange

column name
Example
"duration"

GenderTypeIdentifier_select_column

Description

select columns of table "GenderTypeIdentifier"

Values
Enum Value Description

genderTypeId

column name

id

column name

name

column name

value

column name

valueReference

column name
Example
"genderTypeId"

InvoiceIdentifier_select_column

Description

select columns of table "InvoiceIdentifier"

Values
Enum Value Description

id

column name

invoiceId

column name

name

column name

value

column name

valueReference

column name
Example
"id"

Invoice_select_column

Description

select columns of table "Invoice"

Values
Enum Value Description

accountId

column name

billingPeriod

column name

brokerId

column name

confirmationNumber

column name

customerId

column name

id

column name

minimumPaymentDue

column name

orderId

column name

paymentDueDate

column name

paymentMethodName

column name

paymentStatusTypeName

column name

providerId

column name

scheduledPaymentDate

column name

totalPaymentDue

column name
Example
"accountId"

ItemAvailability_select_column

Description

select columns of table "ItemAvailability"

Values
Enum Value Description

description

column name

id

column name

name

column name
Example
"description"

LanguageIdentifier_select_column

Description

select columns of table "LanguageIdentifier"

Values
Enum Value Description

id

column name

languageId

column name

name

column name

value

column name

valueReference

column name
Example
"id"

MembershipProgramIdentifier_select_column

Description

select columns of table "MembershipProgramIdentifier"

Values
Enum Value Description

id

column name

membershipProgramId

column name

name

column name

value

column name

valueReference

column name
Example
"id"

OfferCatalogIdentifier_select_column

Description

select columns of table "OfferCatalogIdentifier"

Values
Enum Value Description

id

column name

name

column name

offerCatalogId

column name

value

column name

valueReference

column name
Example
"id"

OrderIdentifier_select_column

Description

select columns of table "OrderIdentifier"

Values
Enum Value Description

id

column name

name

column name

orderId

column name

value

column name

valueReference

column name
Example
"id"

OrderItemIdentifier_select_column

Description

select columns of table "OrderItemIdentifier"

Values
Enum Value Description

id

column name

name

column name

orderItemId

column name

value

column name

valueReference

column name
Example
"id"

OrderItem_select_column

Description

select columns of table "OrderItem"

Values
Enum Value Description

id

column name

orderId

column name

orderItemStatusName

column name

orderQuantity

column name

productId

column name

totalPaymentDue

column name
Example
"id"

OrderStatus_enum

Values
Enum Value Description

OrderCancelled

All order items removed from order

OrderDelivered

Catch-all for order complete

OrderPaymentDue

Money owed still on Order

default

Example
"OrderCancelled"

OrderStatus_select_column

Description

select columns of table "OrderStatus"

Values
Enum Value Description

description

column name

name

column name
Example
"description"

Order_select_column

Description

select columns of table "Order"

Values
Enum Value Description

billingAddressId

column name

brokerId

column name

confirmationNumber

column name

customerId

column name

discount

column name

discountCode

column name

facePrice

column name

id

column name

isGift

column name

orderDate

column name

orderNumber

column name

orderStatusName

column name

sellerId

column name

totalFee

column name

totalPaymentDue

column name

totalTax

column name
Example
"billingAddressId"

OrganizationIdentifier_select_column

Description

select columns of table "OrganizationIdentifier"

Values
Enum Value Description

id

column name

name

column name

organizationId

column name

value

column name

valueReference

column name
Example
"id"

Organization_select_column

Description

select columns of table "Organization"

Values
Enum Value Description

alternateName

column name

id

column name

locationId

column name

name

column name

url

column name
Example
"alternateName"

ParcelDeliveryIdentifier_select_column

Description

select columns of table "ParcelDeliveryIdentifier"

Values
Enum Value Description

id

column name

name

column name

parcelDeliveryId

column name

value

column name

valueReference

column name
Example
"id"

PaymentMethod_enum

Values
Enum Value Description

VISA

default

Example
"VISA"

PaymentMethod_select_column

Description

select columns of table "PaymentMethod"

Values
Enum Value Description

description

column name

name

column name
Example
"description"

PaymentStatusType_enum

Values
Enum Value Description

default

Example
"default"

PaymentStatusType_select_column

Description

select columns of table "PaymentStatusType"

Values
Enum Value Description

description

column name

name

column name
Example
"description"

PersonIdentifier_select_column

Description

select columns of table "PersonIdentifier"

Values
Enum Value Description

id

column name

name

column name

personId

column name

value

column name

valueReference

column name
Example
"id"

Person_select_column

Description

select columns of table "Person"

Values
Enum Value Description

affiliationId

column name

birthDate

column name

dateCreated

column name

dateModified

column name

email

column name

familyName

column name

givenName

column name

homeLocationId

column name

honorificPrefix

column name

honorificSuffix

column name

id

column name

nationalityId

column name

telephone

column name
Example
"affiliationId"

PlaceIdentifier_select_column

Description

select columns of table "PlaceIdentifier"

Values
Enum Value Description

id

column name

name

column name

placeId

column name

value

column name

valueReference

column name
Example
"id"

Place_select_column

Description

select columns of table "Place"

Values
Enum Value Description

additionalProperty

column name

currenciesAccepted

column name

description

column name

hasMap

column name

id

column name

isAccessibleForFree

column name

latitude

column name

longitude

column name

maximumAttendeeCapacity

column name

name

column name

priceRange

column name

publicAccess

column name

slogan

column name

smokingAllowed

column name

telephone

column name

tourBookingPage

column name

url

column name
Example
"additionalProperty"

PostalAddressIdentifier_select_column

Description

select columns of table "PostalAddressIdentifier"

Values
Enum Value Description

id

column name

name

column name

postalAddressId

column name

value

column name

valueReference

column name
Example
"id"

PostalAddress_select_column

Description

select columns of table "PostalAddress"

Values
Enum Value Description

addressCountryId

column name

addressLocality

column name

addressRegion

column name

id

column name

name

column name

organizationId

column name

placeId

column name

postOfficeBoxNumber

column name

postalCode

column name

streetAddress

column name

telephone

column name
Example
"addressCountryId"

ProductGroupIdentifier_select_column

Description

select columns of table "ProductGroupIdentifier"

Values
Enum Value Description

id

column name

name

column name

productGroupId

column name

value

column name

valueReference

column name
Example
"id"

ProductGroup_select_column

Description

select columns of table "ProductGroup"

Values
Enum Value Description

additionalProperty

column name

color

column name

depth

column name

hasMeasurement

column name

height

column name

id

column name

material

column name

name

column name

productGroupId

column name

productId

column name

sku

column name

variesBy

column name

weight

column name

width

column name
Example
"additionalProperty"

ProductIdentifier_select_column

Description

select columns of table "ProductIdentifier"

Values
Enum Value Description

id

column name

name

column name

productId

column name

value

column name

valueReference

column name
Example
"id"

ProductModelIdentifier_select_column

Description

select columns of table "ProductModelIdentifier"

Values
Enum Value Description

id

column name

name

column name

productModelId

column name

value

column name

valueReference

column name
Example
"id"

Product_select_column

Description

select columns of table "Product"

Values
Enum Value Description

additionalProperty

column name

color

column name

depth

column name

hasMeasurement

column name

height

column name

id

column name

isVariantOfId

column name

material

column name

name

column name

productID

column name

sku

column name

weight

column name

width

column name
Example
"additionalProperty"

ProgramMembershipIdentifier_select_column

Description

select columns of table "ProgramMembershipIdentifier"

Values
Enum Value Description

id

column name

name

column name

programMembershipId

column name

value

column name

valueReference

column name
Example
"id"

ProgramMembership_select_column

Description

select columns of table "ProgramMembership"

Values
Enum Value Description

hostingOrganizationId

column name

id

column name

memberId

column name

membershipNumber

column name

membershipPointsEarned

column name

programId

column name

validFrom

column name

validThrough

column name
Example
"hostingOrganizationId"

ReservationIdentifier_select_column

Description

select columns of table "ReservationIdentifier"

Values
Enum Value Description

id

column name

name

column name

reservationId

column name

value

column name

valueReference

column name
Example
"id"

ReservationStatusType_enum

Values
Enum Value Description

ReservationCancelled

ReservationConfirmed

ReservationHold

ReservationPending

ReservationRedeemed

Example
"ReservationCancelled"

ReservationStatusType_select_column

Description

select columns of table "ReservationStatusType"

Values
Enum Value Description

description

column name

name

column name
Example
"description"

Reservation_select_column

Description

select columns of table "Reservation"

Values
Enum Value Description

bookingTime

column name

brokerId

column name

id

column name

modifiedTime

column name

orderId

column name

priceCurrency

column name

programMembershipUsedId

column name

providerId

column name

reservationForId

column name

reservationId

column name

reservationStatusTypeName

column name

totalPrice

column name

underNameId

column name
Example
"bookingTime"

ScheduleIdentifier_select_column

Description

select columns of table "ScheduleIdentifier"

Values
Enum Value Description

id

column name

name

column name

scheduleId

column name

value

column name

valueReference

column name
Example
"id"

ServiceChannelIdentifier_select_column

Description

select columns of table "ServiceChannelIdentifier"

Values
Enum Value Description

id

column name

name

column name

serviceChannelId

column name

value

column name

valueReference

column name
Example
"id"

SizeGroupEnumerationIdentifier_select_column

Description

select columns of table "SizeGroupEnumerationIdentifier"

Values
Enum Value Description

id

column name

name

column name

sizeGroupEnumerationId

column name

value

column name

valueReference

column name
Example
"id"

TicketIdentifier_select_column

Description

select columns of table "TicketIdentifier"

Values
Enum Value Description

id

column name

name

column name

ticketId

column name

value

column name

valueReference

column name
Example
"id"

Ticket_select_column

Description

select columns of table "Ticket"

Values
Enum Value Description

dateIssued

column name

id

column name

isPartOfReservationId

column name

issuedById

column name

priceCurrency

column name

ticketNumber

column name

ticketToken

column name

totalPrice

column name

underNameId

column name
Example
"dateIssued"

cursor_ordering

Description

ordering argument of a cursor

Values
Enum Value Description

ASC

ascending ordering of the cursor

DESC

descending ordering of the cursor
Example
"ASC"

order_by

Description

column ordering options

Values
Enum Value Description

asc

in ascending order, nulls last

asc_nulls_first

in ascending order, nulls first

asc_nulls_last

in ascending order, nulls last

desc

in descending order, nulls first

desc_nulls_first

in descending order, nulls first

desc_nulls_last

in descending order, nulls last
Example
"asc"

SCALAR

Boolean

Example
true

Date

Description

ISO8601 Date values

Example
"2007-12-03"

Float

Description

The Float scalar type represents signed double-precision fractional values as specified by IEEE 754.

Example
123.45

GraphQLBigInt

Description

BigInt value

Example
GraphQLBigInt

GraphQLStringOrFloat

Description

A Float or a String

Example
GraphQLStringOrFloat

Hash

Description

Hashed string values

Example
Hash

ID

Description

The ID scalar type represents a unique identifier, often used to refetch an object or as key for a cache. The ID type appears in a JSON response as a String; however, it is not intended to be human-readable. When expected as an input type, any string (such as "4") or integer (such as 4) input value will be accepted as an ID.

Example
"4"

Int

Example
123

JSON

Description

The JSON scalar type represents JSON values as specified by ECMA-404.

Example
{}

String

Example
"xyz789"

date

Example
date

jsonb

Example
jsonb

numeric

Example
numeric

timestamp

Example
timestamp

uuid

Example
uuid