Your React application must be wrapped in the Provider component from this library for the hooks to function properly. No other wrappers (like urql's) are necessary.
Gadget provisions applications with the required <Provider /> component already in place! If using the frontend hosting built into
Gadget, no action is required as this step is already done.
Example:
React
1// import the API client for your specific application from your client package, be sure to replace this package name with your own
The @gadgetinc/react package is intended for use on the client-side only. The hooks provided by this package make requests from your app's frontend directly to your Gadget app's backend from the browser. If you want to use server-side rendering, you can use your framework's server-side data loader support and make imperative calls with your API client object.
manager: The model manager for the model you want to find a record of. Required. Example: api.widget, or api.shopifyProduct
id: The backend id of the record you want to find. Required.
options: Options for making the call to the backend. Not required, and all keys are optional.
select: A list of fields and subfields to select. See select option
requestPolicy: The urql request policy to make the request with. See urql's docs
pause: Set to true to disable this hook. See urql's docs
suspense: Should this hook suspend when fetching data. See suspense
Returns
useFindOne returns two values: a result object with the data, fetching, and error keys for inspecting in your React component's output, and a refetch function to trigger a refresh of the hook's data.
data: GadgetRecord | null: The record fetched from the backend. Is null while the data is being loaded, or if the record wasn't found.
fetching: boolean: A boolean describing if the hook is currently requesting data from the backend.
error: Error | null: An error from the client or server side, if encountered during the request. Will contain an error if the record isn't found by id. See the errors section.
useFindOne expects a record with the given id to be found in the backend database, and will return an error in the error property if no record with this id is found.
useFindOne can select only some fields from the backend model with the select option:
useMaybeFindOne will return data: null and error: null if no record with the given id is found in the backend database. useMaybeFindOne otherwise behaves identically to useFindOne, and accepts the same options.
manager: The model manager for the model you want to find a page of records for. Required. Example: api.widget, or api.shopifyProduct
options: Options for making the call to the backend. Not required and all keys are optional.
select: A list of fields and subfields to select. See the select option docs.
filter: A list of filters to limit the set of returned records. Optional. See the Model Filtering section in your application's API documentation to see the available filters for your models.
search: A search string to match backend records against. Optional. See the Model Searching section in your application's API documentation to see the available search syntax.
sort: A sort order to return backend records by. Optional. See the sorting section in your application's API documentation for more info.
first & after: Pagination arguments to pass to fetch a subsequent page of records from the backend. first should hold a record count and after should hold a string cursor retrieved from the pageInfo of the previous page of results. See the pagination section in your application's API documentation for more info.
last & before: Pagination arguments to pass to fetch a subsequent page of records from the backend. last should hold a record count and before should hold a string cursor retrieved from the pageInfo of the previous page of results. See the pagination section in your application's API documentation for more info.
live: Should this hook re-render when data changes on the backend. See the live option docs.
requestPolicy: The urql request policy to make the request with. See urql's docs
pause: Should the hook make a request right now or not. See urql's docs
suspense: Should this hook suspend when fetching data. See suspense for more info
Returns
useFindMany returns two values: a result object with the data, fetching, and error keys for use in your React component's output, and a refetch function to trigger a refresh of the hook's data.
data: GadgetRecordList | null: The resulting page of records fetched from the backend for your model, once they've arrived
fetching: boolean: A boolean describing if the hook is currently making a request to the backend.
error: Error | null: An error from the client or server side, if encountered during the request. See the errors section.
Without any options, useFindMany will fetch the first page of backend records sorted by id.
useFindMany accepts the select option to allow customization of which fields are returned:
useFindMany accepts a filter option to limit which records are returned from the backend. For example, we can filter to return only widgets created since the start of 2022:
See your app's API reference for more information on which filters are available on what models.
useFindMany accepts a sort option to change the order of the records that are returned. For example, we can sort returned widgets by the createdAt field:
React
1// return the most recently created widgets first
useFindMany accepts a search option to limit the fetched records to only those matching a given search query. For example, we can search all the backend widgets for those matching the string "penny" in any searchable field:
React
// return widgets with "penny" in any searchable field
See your app's API reference for more information on the search query syntax and which fields are searchable.
useFindMany accepts a live option to subscribe to changes in the backend data returned, which will trigger re-renders of your react components as that data changes. For example, we can show an up-to-date view of the first page of backend widgets:
React
// will update when new widgets are created or on-screen widgets are updated
useFindMany accepts pagination arguments for getting the second, third, etc page of results from the backend beyond just the first page. Gadget applications use Relay Cursor style GraphQL pagination, where a second page is fetched by asking for the next x many results after a cursor returned with the first page.
React
1// return the first 10 results after some cursor from somewhere else
7// data is a GadgetRecordList object, which has extra properties for inquiring about the pagination state
8// the current page's start and end cursor are available for use to then make later requests for different pages
9const{
10// string used for forward pagination, pass to the `after:` variable
11 endCursor,
12// string used for backwards pagination, pass to the `before:` variable
13 startCursor,
14
15// `data` also reports if there are more pages for fetching
16// boolean indicating if there is another page to fetch after the `endCursor`
17 hasNextPage,
18// boolean indicating if there is another page to fetch before the `startCursor`
19 hasPreviousPage,
20}= data;
An easy way to do pagination is using React state, or for a better user experience, using the URL with whatever router system works for your application. We use React state to demonstrate pagination in this example:
14return<spanclassName="banner">Check out our most recent blog post titled {data?.title}</span>;
15};
Parameters
manager: The model manager for the model you want to find a page of records for. Required. Example: api.widget, or api.shopifyProduct
options: Options for making the call to the backend. Not required and all keys are optional.
select: A list of fields and subfields to select. See the select option docs. Optional.
filter: A list of filters to find a record matching. Optional. See the Model Filtering section in your application's API documentation to see the available filters for your models.
search: A search string to find a record matching. Optional. See the Model Searching section in your application's API documentation to see the available search syntax.
sort: A sort order to order the backend records by. useFindFirst will only return the first record matching the given search and filter, so sort can be used to break ties and select a specific record. Optional. See the sorting section in your application's API documentation for more info.
live: Should this hook re-render when data changes on the backend. See the live option docs.
requestPolicy: The urql request policy to make the request with. See urql's docs
pause: Should the hook make a request right now or not. See urql's docs
suspense: Should this hook suspend when fetching data. See suspense for more info
Returns
useFindFirst returns two values: a result object with the data, fetching, and error keys for inspecting in your React component's output, and a refetch function to trigger a refresh of the hook's data.
data: GadgetRecord | null: The record fetched from the backend. Is null while the data is being loaded, or if a matching record wasn't found.
fetching: boolean: A boolean describing if the hook is currently making a request to the backend.
error: Error | null: An error from the client or server side, if encountered during the request. Will contain an error if the first record isn't found. See the errors section.
If no record is found matching the conditions, useFindFirst will return {data: null, error: new MissingDataError}.
Without any options, useFindFirst will fetch the first matching record and cause your component to rerender as the fetch happens and when the data or error arrives.
useFindFirst can only select some of the fields from the backend model with select:
React
1// fetch the first upside down widget, and only it's id and name fields
2const[{ data }]=useFindFirst(api.widget,{
3 filter:{
4 state:{ equals:"upsideDown"},
5},
6 select:{
7 id:true,
8 name:true,
9},
10});
1// fetch the first upside down widget, and only it's id and name fields
2const[{ data }]=useFindFirst(api.widget,{
3filter:{
4state:{equals:"upsideDown"},
5},
6select:{
7id:true,
8name:true,
9},
10});
useFindFirst can subscribe to changes in the returned data from the backend with the live option, and re-render when the backend data changes:
React
1// fetch the first upside down widget, and re-render if it's data changes
2const[{ data }]=useFindFirst(api.widget,{
3 filter:{
4 state:{ equals:"upsideDown"},
5},
6 live:true,
7});
1// fetch the first upside down widget, and re-render if it's data changes
useFindBy fetches one record from your backend looked up by a specific field and value. useFindBy requires a by-field record finder like .findBySlug or .findByEmail to exist for your model, which are generated by adding a Unique Validations to a field.
React
1importReactfrom"react";
2import{ useFindBy }from"@gadgetinc/react";
3import{ api }from"../api";
4
5// get a slug from the URL or similar, and look up a post record by this slug
findFunction: The model finder function from your application's API client for finding records by a specific field. Gadget generates these finder functions for the fields where they are available. Changes to your Gadget backend schema may be required to get these to exist. Required. Example: api.widget.findBySlug, or api.user.findByEmail.
fieldValue: The value of the field to search for a record using. This is which slug or email you'd pass to api.widget.findBySlug or api.user.findByEmail.
options: Options for making the call to the backend. Not required and all keys are optional.
select: A list of fields and subfields to select. See the select option docs.
live: Should this hook re-render when data changes on the backend. See the live option docs.
requestPolicy: The urql request policy to make the request with. See urql's docs
pause: Should the hook make a request right now or not. See urql's docs
suspense: Should this hook suspend when fetching data. See suspense for more info
Returns
useFindBy returns two values: a result object with the data, fetching, and error keys for inspecting in your React component's output, and a refetch function to trigger a refresh of the hook's data.
data: GadgetRecord | null: The record fetched from the backend. Is null while the data is being loaded, or if a matching record wasn't found for the given fieldValue.
fetching: boolean: A boolean describing if the hook is currently making a request to the backend.
error: Error | null: An error from the client or server side, if encountered during the request. Will contain an error if a matching record isn't found. See the errors section.
If no record is found matching the conditions, then the returned object will have null for the data. useFindBy(api.widget.findByEmail, "[email protected]") is the React equivalent of api.widget.findByEmail("[email protected]")
Without any options, useFindBy will fetch the record with the given field value, and cause your component to rerender as the fetch happens and when the data or error arrives:
React
1importReactfrom"react";
2import{ useFindBy }from"@gadgetinc/react";
3import{ api }from"../api";
4
5// get a slug from the URL or similar, and look up a post record by this slug
The refetch function returned as the second element can be executed in order to trigger a refetch of the most up to date data from the backend. See urql's docs on re-executing queries for more information.
15return<spanclassName="banner">Check out our most recent blog post titled {data.title}</span>;
16}else{
17// no first record found
18returnnull;
19}
20};
useMaybeFindFirst returns data: null if no record is found in the backend database, and otherwise works identically to useFindFirst. See useFindFirst for more details on the options useMaybeFindFirst accepts.
useAction is a hook for running a backend action on one record of a Gadget model. useAction must be passed an action function from an instance of your application's generated API client. Options:
Parameters
actionFunction: The model action function from your application's API client for acting on records. Gadget generates these action functions for each action defined on backend Gadget models. Required. Example: api.widget.create, or api.user.update or api.blogPost.publish.
options: Options for making the call to the backend. Not required and all keys are optional.
select: A list of fields and subfields to select. See the select option docs.
requestPolicy: The urql request policy to make the request with. See urql's docs
pause: Should the hook make a request right now or not. See urql's docs
suspense: Should this hook suspend when fetching data. See suspense for more info
Returns
useAction returns two values: a result object with the data, fetching, and error keys for inspecting in your React component's output, and a act function to actually run the backend action. useAction is a rule-following React hook that wraps action execution, which means it doesn't just run the action as soon as the hook is invoked. Instead, useAction returns a configured function that will actually run the action, which you need to call in response to some user event. The act function accepts the action inputs as arguments -- not useAction itself.
useAction's result will return the data, fetching, and error details for the most recent execution of the action.
data: GadgetRecord | null: The record fetched from the backend after a mutation. Is null while before the mutation is run and while it is currently ongoing.
fetching: boolean: A boolean describing if the hook is currently making a request to the backend.
error: Error | null: An error from the client or server side, if encountered during the mutation. Will contain an error if the client passed invalid data, if the server failed to complete the action, or if a network error was encountered. See the errors section.
For example, we can create a button that creates a post when clicked, and then shows the post once it has been created:
globalActionFunction: The action function from your application's API client. Gadget generates these global action functions for each global action defined in your Gadget backend. Required. Example: api.runSync, or api.purgeData (corresponding to Global Actions named Run Sync or Purge Data).
options: Options for making the call to the backend. Not required and all keys are optional.
requestPolicy: The urql request policy to make the request with. See urql's docs
pause: Should the hook make a request right now or not. See urql's docs
Returns
useGlobalAction returns two values: a result object with the data, fetching, and error keys for inspecting in your React component's output, and an act function to actually run the backend global action. useGlobalAction is a rule-following React hook that wraps action execution, which means it doesn't just run the action as soon as the hook is invoked. Instead, useGlobalAction returns a configured function which you need to call in response to some event. This act function accepts the action inputs as arguments. useGlobalAction's result will return the data, fetching, and error details for the most recent execution of the action.
data: Record<string, any> | null: The data returned by the global action from the backend. Is null while before the mutation is run and while it is currently ongoing.
fetching: boolean: A boolean describing if the hook is currently making a request to the backend.
error: Error | null: An error from the client or server side, if encountered during the mutation. Will contain an error if the client passed invalid data, if server failed to complete the mutation, or if a network error was encountered. See the errors section.
For example, we can create a button that runs a Global Action called purgeData when clicked, and shows the result after it has been run:
useGet fetches a singleton record for an api.currentSomething style model manager. useGet fetches one global record, which is most often the current session.
If you'd like to access the current session on the frontend, use the useSession() hook
singletonModelManager: The singleton model manager available on the generated API client for your application. The passed model manager must be one of the currentSomething model managers. useGet can't be used with other model managers that don't have a .get function. Example: api.currentSession.
options: Options for making the call to the backend. Not required and all keys are optional.
select: A list of fields and subfields to select. See the select option docs.
requestPolicy: The urql request policy to make the request with. See urql's docs
pause: Should the hook make a request right now or not. See urql's docs
suspense: Should this hook suspend when fetching data. See suspense for more info
Returns
useGet returns two values: a result object with the data, fetching, and error keys for inspecting in your React component's output, and a refetch function to trigger a refresh of the hook's data.
data: GadgetRecord | null: The record fetched from the backend. Is null while the data is being loaded, or if the record wasn't found.
fetching: boolean: A boolean describing if the hook is currently making a request to the backend.
error: Error | null: An error from the client or server side, if encountered during the request. Will contain an error if the singleton record isn't found. See the errors section.
useGet(api.currentSession) retrieves the current global session for the current browser
The refetch function returned as the second element can be executed to trigger a refetch of the most up-to-date data from the backend. See urql's docs on re-executing queries for more information.
useActionForm manages form state for calling actions in your Gadget backend. useActionForm can fetch the record for editing, manage the state of the fields as the user changes them in a form, track validations and errors, and then call the action with the form data when the user submits the form. useActionForm can call Actions on models as well as Global Actions.
useActionForm wraps the excellent react-hook-form library and provides all the same state management
primitives that react-hook-form does, in addition to Gadget-specific goodies like automatic record fetching, automatic action calling
and type safety.
action: the Model Action or Global Action to call when submitting. Required.
options: the configuration for the form
The options options object accepts the following options:
Name
Type
Description
defaultValues
Partial<ActionInput>
Default values to seed the form inputs with. Can be omitted. Mutually exclusive with the findBy. option.
findBy
string or { [field: string]: any }
Details for automatically finding a record to seed the form values with. When passed as a string, will look up a record with that id. When passed an object, will call a findBy<Field> function on the api object to retrieve a record by that field. The field must have a uniqueness validation in order to function.
mode
"onChange" or "onBlur" or "onSubmit" or "onTouched" or "all"
Default options to use when calling reset. For more details, see the reset function docs
criteriaMode
"firstError" or "all"
Display all validation errors or one at a time.
shouldFocusError
boolean
Enable or disable built-in focus management.
delayError
number
Delay errors by this many milliseconds to avoid them appearing instantly
shouldUseNativeValidation
boolean
Use browser built-in form constraint API.
shouldUnregister
boolean
Enable and disable input unregister after unmount.
select
RecordSelection
Which fields to select from the backend when retrieving initial data with findBy. Can also mark fields as ReadOnly to exclude them from being sent during an update. See docs on the select option for more information.
send
string[]
Which fields to send from the form values to the backend for the action. Useful if you want to include fields in your form state for driving UI that shouldn't be sent with the submission
onSubmit
() => void
Callback called right before data is submitted to the backend action
onSuccess
(actionResult: ActionResultData) => void
Callback called after a successful submission to the backend action. Passed the action result, which is the object with {data, error, fetching} keys
onError
(error: Error | FieldErrors) => void
Callback called after an error occurs finding the initial record or during submission to the backend action. Passed the error, which can be a transport error from a broken network, or a list of validation errors returned by the backend
useActionForm's props input is very similar to useForm's from react-hook-form. For more docs on these props, see the react-hook-form docs.
Returns
useActionForm returns a variety of functions and state for managing your form that most users destructure as they call it:
Current state of the form, like validations, errors, submission details, etc docs
submit
(event?: React.Event) => Promise<ActionResult>
A function to call that submits the form to the backend. Returns a promise for the ActionResult object containing the {data, error, fetching} triple returned by the backend action.
Function for returning the state of one individual field from within the form state. docs
trigger
(name?: string | string[]) => Promise<boolean>
Manually triggers form or input validation. This method is also useful when you have dependant validation (input validation depends on another input's value). docs
control
FormControl
Context object for passing to <Controller/> components wrapping ref-less or controlled components
error
Error | null
Any top-level Error objects encountered during processing. Will contain transport level errors as well as field validation errors returned by the backend. This value is for deeply inspecting the error if you want more than just the message, but the formState.errors object should be preferred if not.
The ActionResult triple returned by the inner useAction hook. Will be populated with the action execution result after submission.
FormState object
The FormState object returned by useActionForm includes the following properties:
Name
Type
Description
isDirty
boolean
true if the user has modified any inputs away from the defaultValues, and false otherwise
dirtyFields
Record<string, boolean>
A map of fields to the dirty state for each field. Each field's property on the object true if the user has modified this field away from the default and false otherwise
touchedFields
Record<string, boolean>
A map of fields to the touched state for each field. Each field's property on the object true if the user has modified this field at all and false otherwise
defaultValues
Record<string, any>
The default values the form started out with, or has been reset to
isSubmitted
boolean
true if the form has ever been submitted, false otherwise
isSubmitSuccessful
boolean
true if the form has completed a submission that encountered no errors, false otherwise
isSubmitting
boolean
true if the form is currently submitting to the backend, false otherwise
isLoading
boolean
true if the form is currently loading data from the backend to populate the initial values or another input, false otherwise
submitCount
number
Count of times the form has been submitted
isValid
boolean
true if the form has no validation errors currently, false otherwise
isValidating
boolean
true if the form is currently validating data, false otherwise
errors
Record<string, string>
A map of any validation errors currently present on each field
The FormState object managed by useActionForm (and react-hook-form underneath) is a Proxy object that tracks which properties are
accessed during rendering to avoid excessive re-renders. Make sure you read its properties within a component render function to properly track which properties should trigger re-renders.
Unlike react-hook-form, useActionForm manages the submission process to your backend action. You don't need to manually make a call to your action -- instead, call the submit function returned by useActionForm when you are ready to submit the form, and useActionForm will call the action.
Because the submission process is managed, useActionForm does not accept the handleSubmit option that react-hook-form does.
<Controller/>
useActionForm's register function only works with uncontrolled components that conform to normal DOM APIs. For working with controlled components, like those from popular UI libraries such as @shopify/polaris, you must register these input components with a <Controller/> instead.
The key of this input's data within your form's field values
control
FormControl
Context object returned by useActionForm, must be passed to each <Controller/> to tie them to the form
render
(props: ControllerProps) => ReactElement
A function that returns a React element and provides the ability to attach events and value into the component. This simplifies integrating with external controlled components with non-standard prop names. Provides onChange, onBlur, name, ref and value as props for sending to the child component, and also a fieldState object which contains specific input state.
defaultValue
unknown
A default value for applying to the inner input.
rules
object
Validation options for applying to the form value. Accepts the same format of options as the register function.
shouldUnregister
boolean
Should this input's values/validations/errors be removed on unmount.
disabled
boolean
Is this input currently disabled such that it can't be edited
Update input at a particular position. The updated fields will get unmounted and remounted, if this is not the desired behavior, use setValue API instead
replace
(obj: object[]) => void
Replace all values currently in the field array
remove
(index?: number | number[]) => void
Remove input at a particular position or remove all when no index provided
useList handles the logic of creating a paginated, searchable list of records from your Gadget backend. The useList hook takes the same parameters as useFindMany (with the addition of the pageSize param). Refer to useFindMany for examples of how to query the data that will populate your list.
Parameters
manager: The model manager for the model you want to find a page of records for. Required. Example: api.widget, or api.shopifyProduct
options: Options for making the call to the backend. Not required and all keys are optional.
select: A list of fields and subfields to select. See the select option docs.
filter: A list of filters to limit the set of returned records. Optional. See filtering in your application's API documentation for more info.
search: A search string to match backend records against. Optional. See the model searching section in your application's API documentation for the available search syntax.
sort: A sort order to return backend records by. Optional. See sorting in your application's API documentation for more info.
first & after: Pagination arguments to pass to fetch a subsequent page of records from the backend. first should hold a record count and after should hold a string cursor retrieved from the pageInfo of the previous page of results. See the pagination section in your application's API documentation for more info.
last & before: Pagination arguments to pass to fetch a subsequent page of records from the backend. last should hold a record count and before should hold a string cursor retrieved from the pageInfo of the previous page of results. See the pagination section in your application's API documentation for more info.
live: Should this hook re-render when data changes on the backend. See the live option docs.
requestPolicy: The urql request policy to make the request with. See urql's docs.
pause: Should the hook make a request right now or not. See urql's docs.
suspense: Should this hook suspend when fetching data. See suspense for more info.
pageSize: The page size of the paginated data. Optional, defaults to 50.
Returns
useList returns two values: a result object with the data, fetching, page, search, and error keys for use in your React component's output, and a refresh function to trigger a refresh of the hook's data.
data: GadgetRecord | null: The record fetched from the backend. Is null while the data is being loaded, or if the record wasn't found.
fetching: boolean: A boolean describing if the hook is currently requesting data from the backend.
page: PaginationResult: A collection of variables and functions to handle pagination.
page.hasNextPage: boolean | undefined: Whether the paginated data has a next page.
page.hasPreviousPage: boolean | undefined: Whether the paginated data has a previous page.
first holds a record count and after holds a string cursor retrieved from the pageInfo of the previous page of results. See the pagination section in your application's API documentation for more info.
last holds a record count and before holds a string cursor retrieved from the pageInfo of the previous page of results. See the pagination section in your application's API documentation for more info.
page.pageSize: number: Page size of the paginated data. Defaults to 50.
page.goToNextPage: () => void: Function to load the next page of paginated data.
page.goToPreviousPage: () => void: Function to load the last page of paginated data.
search: SearchResult: A collection of variables and functions to handle pagination.
value: string: The current value of the input, possibly changing rapidly as the user types.
debouncedValue: string: The value that has been processed by the debounce function, updating less frequently than value. Learn more about debouncing.
set: (value: string) => void: A function to update the value.
clear: () => void: A function to clear the value.
error: Error | null: An error from the client or server side, if encountered during the request. Will contain an error if the record isn't found by id. See the errors section.
Paginated list
Here's how you can create a paginated list that is synced with your data in Gadget:
pagination example with useList
React
1import{ useList }from"@gadgetinc/react";
2// your app's auto-generated API client
3import{ api }from"../api";
4
5exportconstPaginatedList=()=>{
6// Passing the same filter/sort/search params to useList as useFindMany:
useTable is a headless React hook for powering a table. The table shows a page of Gadget records from the backend. The hook returns an object with optional params for sorting, filtering, searching, and data selection. useTable returns an object with data, fetching, and error keys, and a refetch function. data is a GadgetRecordList object holding the list of returned records and pagination info.
This hook is like useList. The difference is it divides each field into columns, and orders the records into rows.
manager: The model manager for the model you want to find a page of records for. Required. Example: api.widget, or api.shopifyProduct
options: Options for making the call to the backend. Not required and all keys are optional.
select: A list of fields and subfields to select. See the select option docs.
filter: A list of filters to limit the set of returned records. Optional. See the model filtering section in your application's API documentation to see the available filters for your models.
search: A search string to match backend records against. Optional. See the model searching section in your application's API documentation to see the available search syntax.
live: Should this hook re-render when data changes on the backend. See the live option docs.
requestPolicy: The urql request policy to make the request with. See urql's docs
pause: Should the hook make a request right now or not. See urql's docs
suspense: Should this hook suspend when fetching data. See suspense for more info
pageSize: The page size of the paginated data. Optional, defaults to 50.
initialCursor: A string cursor; useTable handles pagination, so this prop is only needed if you get the cursor hash from the returned after or before variables, and want to set the cursor to a custom spot.
initialSort: An object of type { [column: string]: "Ascending" | "Descending" } that sets the initial sort order for the table.
initialDirection: Initial pagination direction. Either "forward" or "backward".
columns: A list of field API identifiers and custom column renderer objects to be returned. Custom cell renderers have type {header: string; render: (props: {record: GadgetRecord<any>, index: number}) => ReactNode; style?: React.CSSProperties;}
columns prop example
React
// Only returns the `name` and `createdAt` columns