diff --git a/graphql/codegen/.gitignore b/graphql/codegen/.gitignore
new file mode 100644
index 000000000..258e38780
--- /dev/null
+++ b/graphql/codegen/.gitignore
@@ -0,0 +1,19 @@
+# Build output
+dist/
+
+# Generated SDK output (for testing)
+output-rq
+output-orm/
+
+# Dependencies
+node_modules/
+
+# IDE
+.idea/
+.vscode/
+
+# OS
+.DS_Store
+
+# Logs
+*.log
diff --git a/graphql/codegen/CHANGELOG.md b/graphql/codegen/CHANGELOG.md
index 1731c6915..98513e533 100644
--- a/graphql/codegen/CHANGELOG.md
+++ b/graphql/codegen/CHANGELOG.md
@@ -13,12 +13,31 @@ See [Conventional Commits](https://conventionalcommits.org) for commit guideline
## [2.17.50](https://github.com/constructive-io/constructive/compare/@constructive-io/graphql-codegen@2.17.49...@constructive-io/graphql-codegen@2.17.50) (2026-01-05)
-**Note:** Version bump only for package @constructive-io/graphql-codegen
+### BREAKING CHANGES
+
+- **Complete package migration**: This package has been completely replaced with the code from `@constructive-io/graphql-sdk` (dashboard/packages/graphql-sdk)
+- New CLI-based GraphQL SDK generator for PostGraphile endpoints with React Query hooks and Prisma-like ORM support
+- Build system changed from `makage` to `tsup`
+- Test framework changed from `jest` to `jest` (with ESM support)
+- New CLI binary: `graphql-codegen`
+- Added peer dependencies: `@tanstack/react-query`, `react`
+- Uses workspace dependency for `gql-ast`
+
+### Features
-## [2.17.49](https://github.com/constructive-io/constructive/compare/@constructive-io/graphql-codegen@2.17.48...@constructive-io/graphql-codegen@2.17.49) (2026-01-05)
+- CLI commands: `init`, `generate`, `generate-orm`
+- React Query hooks generation
+- Prisma-like ORM client generation
+- Watch mode with schema change detection
+- Full TypeScript support with type inference
+
+---
+
+## [2.17.49](https://github.com/constructive-io/constructive/compare/@constructive-io/graphql-codegen@2.17.49...@constructive-io/graphql-codegen@2.17.50) (2026-01-04)
**Note:** Version bump only for package @constructive-io/graphql-codegen
+
## [2.17.48](https://github.com/constructive-io/constructive/compare/@constructive-io/graphql-codegen@2.17.47...@constructive-io/graphql-codegen@2.17.48) (2026-01-03)
**Note:** Version bump only for package @constructive-io/graphql-codegen
diff --git a/graphql/codegen/README.md b/graphql/codegen/README.md
index 2b8845047..8f58f0e2a 100644
--- a/graphql/codegen/README.md
+++ b/graphql/codegen/README.md
@@ -1,171 +1,1876 @@
-# @constructive-io/graphql-codegen
+# @constructive-io/graphql-sdk
-
-
-
+CLI-based GraphQL SDK generator for PostGraphile endpoints. Generate type-safe React Query hooks or a Prisma-like ORM client from your GraphQL schema.
-
-
-
-
-
-
-
+## Features
-Generate GraphQL mutations/queries
+- **Two Output Modes**: React Query hooks OR Prisma-like ORM client
+- **Full Schema Coverage**: Generates code for ALL queries and mutations, not just table CRUD
+- **PostGraphile Optimized**: Uses `_meta` query for table metadata and `__schema` introspection for custom operations
+- **React Query Integration**: Generates `useQuery` and `useMutation` hooks with proper typing
+- **Prisma-like ORM**: Fluent API with `db.user.findMany()`, `db.mutation.login()`, etc.
+- **Advanced Type Inference**: Const generics for narrowed return types based on select clauses
+- **Relation Support**: Typed nested selects for belongsTo, hasMany, and manyToMany relations
+- **Error Handling**: Discriminated unions with `.unwrap()`, `.unwrapOr()`, `.unwrapOrElse()` methods
+- **AST-Based Generation**: Uses `ts-morph` for reliable code generation
+- **Configurable**: Filter tables, queries, and mutations with glob patterns
+- **Type-Safe**: Full TypeScript support with generated interfaces
-```sh
-npm install @constructive-io/graphql-codegen
+## Table of Contents
+
+- [Installation](#installation)
+- [Quick Start](#quick-start)
+- [CLI Commands](#cli-commands)
+- [Configuration](#configuration)
+- [React Query Hooks](#react-query-hooks)
+- [ORM Client](#orm-client)
+ - [Basic Usage](#basic-usage)
+ - [Select & Type Inference](#select--type-inference)
+ - [Relations](#relations)
+ - [Filtering & Ordering](#filtering--ordering)
+ - [Pagination](#pagination)
+ - [Error Handling](#error-handling)
+ - [Custom Operations](#custom-operations)
+- [Architecture](#architecture)
+- [Generated Types](#generated-types)
+- [Development](#development)
+- [Roadmap](#roadmap)
+
+## Installation
+
+```bash
+pnpm add @constructive-io/graphql-sdk
+```
+
+## Quick Start
+
+### 1. Initialize Config (Optional)
+
+```bash
+npx graphql-sdk init
+```
+
+Creates a `graphql-sdk.config.ts` file:
+
+```typescript
+import { defineConfig } from '@constructive-io/graphql-sdk';
+
+export default defineConfig({
+ endpoint: 'https://api.example.com/graphql',
+ output: './generated/graphql',
+ headers: {
+ Authorization: 'Bearer ',
+ },
+});
+```
+
+### 2. Generate SDK
+
+```bash
+# Generate React Query hooks
+npx graphql-sdk generate -e https://api.example.com/graphql -o ./generated/hooks
+
+# Generate ORM client
+npx graphql-sdk generate-orm -e https://api.example.com/graphql -o ./generated/orm
+```
+
+### 3. Use the Generated Code
+
+```typescript
+// ORM Client
+import { createClient } from './generated/orm';
+
+const db = createClient({ endpoint: 'https://api.example.com/graphql' });
+
+const users = await db.user.findMany({
+ select: { id: true, username: true },
+ first: 10,
+}).execute();
+
+// React Query Hooks
+import { useCarsQuery } from './generated/hooks';
+
+function CarList() {
+ const { data } = useCarsQuery({ first: 10 });
+ return {data?.cars.nodes.map(car => {car.name} )} ;
+}
+```
+
+## CLI Commands
+
+### `graphql-sdk generate`
+
+Generate React Query hooks from a PostGraphile endpoint.
+
+```bash
+Options:
+ -e, --endpoint GraphQL endpoint URL (overrides config)
+ -o, --output Output directory (default: ./generated/graphql)
+ -c, --config Path to config file
+ -a, --authorization Authorization header value
+ --dry-run Preview without writing files
+ --skip-custom-operations Only generate table CRUD hooks
+ -v, --verbose Show detailed output
+```
+
+### `graphql-sdk generate-orm`
+
+Generate Prisma-like ORM client from a PostGraphile endpoint.
+
+```bash
+Options:
+ -e, --endpoint GraphQL endpoint URL
+ -o, --output Output directory (default: ./generated/orm)
+ -c, --config Path to config file
+ -a, --authorization Authorization header value
+ --skip-custom-operations Only generate table models
+ --dry-run Preview without writing files
+ -v, --verbose Show detailed output
+```
+
+### `graphql-sdk init`
+
+Create a configuration file.
+
+```bash
+Options:
+ -f, --format Config format: ts, js, json (default: ts)
+ -o, --output Output path for config file
+```
+
+### `graphql-sdk introspect`
+
+Inspect schema without generating code.
+
+```bash
+Options:
+ -e, --endpoint GraphQL endpoint URL
+ --json Output as JSON
+ -v, --verbose Show detailed output
```
-## introspecting via GraphQL
+## Configuration
+
+```typescript
+interface GraphQLSDKConfig {
+ // Required
+ endpoint: string;
+
+ // Output
+ output?: string; // default: './generated/graphql'
+
+ // Authentication
+ headers?: Record;
+
+ // Table filtering (for CRUD operations from _meta)
+ tables?: {
+ include?: string[]; // default: ['*']
+ exclude?: string[]; // default: []
+ };
+
+ // Query filtering (for ALL queries from __schema)
+ queries?: {
+ include?: string[]; // default: ['*']
+ exclude?: string[]; // default: ['_meta', 'query']
+ };
-```js
-import {
- generate
-} from '@constructive-io/graphql-codegen';
-import { print } from 'graphql/language';
+ // Mutation filtering (for ALL mutations from __schema)
+ mutations?: {
+ include?: string[]; // default: ['*']
+ exclude?: string[]; // default: []
+ };
-const gen = generate(resultOfIntrospectionQuery);
-const output = Object.keys(gen).reduce((m, key) => {
- m[key] = print(gen[key].ast);
- return m;
-}, {});
+ // Code generation options
+ codegen?: {
+ maxFieldDepth?: number; // default: 2
+ skipQueryField?: boolean; // default: true
+ };
-console.log(output);
+ // ORM-specific config
+ orm?: {
+ output?: string; // default: './generated/orm'
+ useSharedTypes?: boolean; // default: true
+ };
+}
```
-# output
+### Glob Patterns
-which will output the entire API as an object with the mutations and queries as values
+Filter patterns support wildcards:
+- `*` - matches any string
+- `?` - matches single character
-```json
+Examples:
+```typescript
{
- "createApiTokenMutation": "mutation createApiTokenMutation($id: UUID, $userId: UUID!, $accessToken: String, $accessTokenExpiresAt: Datetime) {
- createApiToken(input: {apiToken: {id: $id, userId: $userId, accessToken: $accessToken, accessTokenExpiresAt: $accessTokenExpiresAt}}) {
- apiToken {
- id
- userId
- accessToken
- accessTokenExpiresAt
- }
+ tables: {
+ include: ['User', 'Product', 'Order*'],
+ exclude: ['*_archive', 'temp_*'],
+ },
+ queries: {
+ exclude: ['_meta', 'query', '*Debug*'],
+ },
+ mutations: {
+ include: ['create*', 'update*', 'delete*', 'login', 'register', 'logout'],
+ },
+}
+```
+
+## React Query Hooks
+
+The React Query hooks generator creates type-safe `useQuery` and `useMutation` hooks for your PostGraphile API, fully integrated with TanStack Query (React Query v5).
+
+### Generated Output Structure
+
+```
+generated/hooks/
+├── index.ts # Main barrel export (configure, hooks, types)
+├── client.ts # configure() and execute() functions
+├── types.ts # Entity interfaces, filter types, enums
+├── hooks.ts # All hooks re-exported
+├── queries/
+│ ├── index.ts # Query hooks barrel
+│ ├── useCarsQuery.ts # Table list query (findMany)
+│ ├── useCarQuery.ts # Table single item query (findOne)
+│ ├── useCurrentUserQuery.ts # Custom query
+│ └── ...
+└── mutations/
+ ├── index.ts # Mutation hooks barrel
+ ├── useCreateCarMutation.ts
+ ├── useUpdateCarMutation.ts
+ ├── useDeleteCarMutation.ts
+ ├── useLoginMutation.ts # Custom mutation
+ └── ...
+```
+
+### Setup & Configuration
+
+#### 1. Configure the Client
+
+Configure the GraphQL client once at your app's entry point:
+
+```tsx
+// App.tsx or main.tsx
+import { configure } from './generated/hooks';
+
+// Basic configuration
+configure({
+ endpoint: 'https://api.example.com/graphql',
+});
+
+// With authentication
+configure({
+ endpoint: 'https://api.example.com/graphql',
+ headers: {
+ Authorization: 'Bearer ',
+ 'X-Custom-Header': 'value',
+ },
+});
+```
+
+#### 2. Update Headers at Runtime
+
+```tsx
+import { configure } from './generated/hooks';
+
+// After login, update the authorization header
+function handleLoginSuccess(token: string) {
+ configure({
+ endpoint: 'https://api.example.com/graphql',
+ headers: {
+ Authorization: `Bearer ${token}`,
+ },
+ });
+}
+```
+
+### Table Query Hooks
+
+For each table, two query hooks are generated:
+
+#### List Query (`use{Table}sQuery`)
+
+Fetches multiple records with pagination, filtering, and ordering:
+
+```tsx
+import { useCarsQuery } from './generated/hooks';
+
+function CarList() {
+ const {
+ data,
+ isLoading,
+ isError,
+ error,
+ refetch,
+ isFetching,
+ } = useCarsQuery({
+ // Pagination
+ first: 10, // First N records
+ // last: 10, // Last N records
+ // after: 'cursor', // Cursor-based pagination
+ // before: 'cursor',
+ // offset: 20, // Offset pagination
+
+ // Filtering
+ filter: {
+ brand: { equalTo: 'Tesla' },
+ price: { greaterThan: 50000 },
+ },
+
+ // Ordering
+ orderBy: ['CREATED_AT_DESC', 'NAME_ASC'],
+ });
+
+ if (isLoading) return Loading...
;
+ if (isError) return Error: {error.message}
;
+
+ return (
+
+
Total: {data?.cars.totalCount}
+
+ {data?.cars.nodes.map(car => (
+ {car.brand} - ${car.price}
+ ))}
+
+
+ {/* Pagination info */}
+ {data?.cars.pageInfo.hasNextPage && (
+
refetch()}>Load More
+ )}
+
+ );
+}
+```
+
+#### Single Item Query (`use{Table}Query`)
+
+Fetches a single record by ID:
+
+```tsx
+import { useCarQuery } from './generated/hooks';
+
+function CarDetails({ carId }: { carId: string }) {
+ const { data, isLoading, isError } = useCarQuery({
+ id: carId,
+ });
+
+ if (isLoading) return Loading...
;
+ if (isError) return Car not found
;
+
+ return (
+
+
{data?.car?.brand}
+
Price: ${data?.car?.price}
+
Created: {data?.car?.createdAt}
+
+ );
+}
+```
+
+### Mutation Hooks
+
+For each table, three mutation hooks are generated:
+
+#### Create Mutation (`useCreate{Table}Mutation`)
+
+```tsx
+import { useCreateCarMutation } from './generated/hooks';
+
+function CreateCarForm() {
+ const createCar = useCreateCarMutation({
+ onSuccess: (data) => {
+ console.log('Created car:', data.createCar.car.id);
+ // Invalidate queries, redirect, show toast, etc.
+ },
+ onError: (error) => {
+ console.error('Failed to create car:', error);
+ },
+ });
+
+ const handleSubmit = (formData: { brand: string; price: number }) => {
+ createCar.mutate({
+ input: {
+ car: {
+ brand: formData.brand,
+ price: formData.price,
+ },
+ },
+ });
+ };
+
+ return (
+
+ );
+}
+```
+
+#### Update Mutation (`useUpdate{Table}Mutation`)
+
+```tsx
+import { useUpdateCarMutation } from './generated/hooks';
+
+function EditCarForm({ carId, currentBrand }: { carId: string; currentBrand: string }) {
+ const updateCar = useUpdateCarMutation({
+ onSuccess: (data) => {
+ console.log('Updated car:', data.updateCar.car.brand);
+ },
+ });
+
+ const handleUpdate = (newBrand: string) => {
+ updateCar.mutate({
+ input: {
+ id: carId,
+ patch: {
+ brand: newBrand,
+ },
+ },
+ });
+ };
+
+ return (
+ handleUpdate('Updated Brand')}
+ disabled={updateCar.isPending}
+ >
+ Update
+
+ );
+}
+```
+
+#### Delete Mutation (`useDelete{Table}Mutation`)
+
+```tsx
+import { useDeleteCarMutation } from './generated/hooks';
+
+function DeleteCarButton({ carId }: { carId: string }) {
+ const deleteCar = useDeleteCarMutation({
+ onSuccess: () => {
+ console.log('Car deleted');
+ // Navigate away, refetch list, etc.
+ },
+ });
+
+ return (
+ deleteCar.mutate({ input: { id: carId } })}
+ disabled={deleteCar.isPending}
+ >
+ {deleteCar.isPending ? 'Deleting...' : 'Delete'}
+
+ );
+}
+```
+
+### Custom Query Hooks
+
+Custom queries from your schema (like `currentUser`, `nodeById`, etc.) get their own hooks:
+
+```tsx
+import { useCurrentUserQuery, useNodeByIdQuery } from './generated/hooks';
+
+// Simple custom query
+function UserProfile() {
+ const { data, isLoading } = useCurrentUserQuery();
+
+ if (isLoading) return Loading...
;
+ if (!data?.currentUser) return Not logged in
;
+
+ return (
+
+
Welcome, {data.currentUser.username}
+
Email: {data.currentUser.email}
+
+ );
+}
+
+// Custom query with arguments
+function NodeViewer({ nodeId }: { nodeId: string }) {
+ const { data } = useNodeByIdQuery({
+ id: nodeId,
+ });
+
+ return {JSON.stringify(data?.node, null, 2)} ;
+}
+```
+
+### Custom Mutation Hooks
+
+Custom mutations (like `login`, `register`, `logout`) get dedicated hooks:
+
+```tsx
+import {
+ useLoginMutation,
+ useRegisterMutation,
+ useLogoutMutation,
+ useForgotPasswordMutation,
+} from './generated/hooks';
+
+// Login
+function LoginForm() {
+ const login = useLoginMutation({
+ onSuccess: (data) => {
+ const token = data.login.apiToken?.accessToken;
+ if (token) {
+ localStorage.setItem('token', token);
+ // Reconfigure client with new token
+ configure({
+ endpoint: 'https://api.example.com/graphql',
+ headers: { Authorization: `Bearer ${token}` },
+ });
+ }
+ },
+ onError: (error) => {
+ alert('Login failed: ' + error.message);
+ },
+ });
+
+ const handleLogin = (email: string, password: string) => {
+ login.mutate({
+ input: { email, password },
+ });
+ };
+
+ return (
+
+ );
+}
+
+// Register
+function RegisterForm() {
+ const register = useRegisterMutation({
+ onSuccess: () => {
+ alert('Registration successful! Please check your email.');
+ },
+ });
+
+ const handleRegister = (data: { email: string; password: string; username: string }) => {
+ register.mutate({
+ input: {
+ email: data.email,
+ password: data.password,
+ username: data.username,
+ },
+ });
+ };
+
+ return (
+ handleRegister({ email: 'new@example.com', password: 'secret', username: 'newuser' })}>
+ Register
+
+ );
+}
+
+// Logout
+function LogoutButton() {
+ const logout = useLogoutMutation({
+ onSuccess: () => {
+ localStorage.removeItem('token');
+ window.location.href = '/login';
+ },
+ });
+
+ return (
+ logout.mutate({ input: {} })}>
+ Logout
+
+ );
+}
+
+// Forgot Password
+function ForgotPasswordForm() {
+ const forgotPassword = useForgotPasswordMutation({
+ onSuccess: () => {
+ alert('Password reset email sent!');
+ },
+ });
+
+ return (
+ forgotPassword.mutate({ input: { email: 'user@example.com' } })}>
+ Reset Password
+
+ );
+}
+```
+
+### Filtering
+
+All filter types from your PostGraphile schema are available:
+
+```tsx
+// String filters
+useCarsQuery({
+ filter: {
+ brand: {
+ equalTo: 'Tesla',
+ notEqualTo: 'Ford',
+ in: ['Tesla', 'BMW', 'Mercedes'],
+ notIn: ['Unknown'],
+ contains: 'es', // LIKE '%es%'
+ startsWith: 'Tes', // LIKE 'Tes%'
+ endsWith: 'la', // LIKE '%la'
+ includesInsensitive: 'TESLA', // Case-insensitive
+ },
+ },
+});
+
+// Number filters
+useProductsQuery({
+ filter: {
+ price: {
+ equalTo: 100,
+ greaterThan: 50,
+ greaterThanOrEqualTo: 50,
+ lessThan: 200,
+ lessThanOrEqualTo: 200,
+ },
+ },
+});
+
+// Boolean filters
+useUsersQuery({
+ filter: {
+ isActive: { equalTo: true },
+ isAdmin: { equalTo: false },
+ },
+});
+
+// Date/DateTime filters
+useOrdersQuery({
+ filter: {
+ createdAt: {
+ greaterThan: '2024-01-01T00:00:00Z',
+ lessThan: '2024-12-31T23:59:59Z',
+ },
+ },
+});
+
+// Null checks
+useUsersQuery({
+ filter: {
+ deletedAt: { isNull: true }, // Only non-deleted
+ },
+});
+
+// Logical operators
+useUsersQuery({
+ filter: {
+ // AND (implicit)
+ isActive: { equalTo: true },
+ role: { equalTo: 'ADMIN' },
+ },
+});
+
+useUsersQuery({
+ filter: {
+ // OR
+ or: [
+ { role: { equalTo: 'ADMIN' } },
+ { role: { equalTo: 'MODERATOR' } },
+ ],
+ },
+});
+
+useUsersQuery({
+ filter: {
+ // Complex: active AND (admin OR moderator)
+ and: [
+ { isActive: { equalTo: true } },
+ {
+ or: [
+ { role: { equalTo: 'ADMIN' } },
+ { role: { equalTo: 'MODERATOR' } },
+ ],
+ },
+ ],
+ },
+});
+
+useUsersQuery({
+ filter: {
+ // NOT
+ not: { status: { equalTo: 'DELETED' } },
+ },
+});
+```
+
+### Ordering
+
+```tsx
+// Single order
+useCarsQuery({
+ orderBy: ['CREATED_AT_DESC'],
+});
+
+// Multiple orders (fallback)
+useCarsQuery({
+ orderBy: ['BRAND_ASC', 'CREATED_AT_DESC'],
+});
+
+// Available OrderBy values per table:
+// - PRIMARY_KEY_ASC / PRIMARY_KEY_DESC
+// - NATURAL
+// - {FIELD_NAME}_ASC / {FIELD_NAME}_DESC
+```
+
+### Pagination
+
+```tsx
+// First N records
+useCarsQuery({ first: 10 });
+
+// Last N records
+useCarsQuery({ last: 10 });
+
+// Offset pagination
+useCarsQuery({ first: 10, offset: 20 }); // Skip 20, take 10
+
+// Cursor-based pagination
+function PaginatedList() {
+ const [cursor, setCursor] = useState(null);
+
+ const { data } = useCarsQuery({
+ first: 10,
+ after: cursor,
+ });
+
+ return (
+
+ {data?.cars.nodes.map(car =>
{car.brand}
)}
+
+ {data?.cars.pageInfo.hasNextPage && (
+
setCursor(data.cars.pageInfo.endCursor)}>
+ Load More
+
+ )}
+
+ );
+}
+
+// PageInfo structure
+// {
+// hasNextPage: boolean;
+// hasPreviousPage: boolean;
+// startCursor: string | null;
+// endCursor: string | null;
+// }
+```
+
+### React Query Options
+
+All hooks accept standard React Query options:
+
+```tsx
+// Query hooks
+useCarsQuery(
+ { first: 10 }, // Variables
+ {
+ // React Query options
+ enabled: isAuthenticated, // Conditional fetching
+ refetchInterval: 30000, // Poll every 30s
+ refetchOnWindowFocus: true, // Refetch on tab focus
+ staleTime: 5 * 60 * 1000, // Consider fresh for 5 min
+ gcTime: 30 * 60 * 1000, // Keep in cache for 30 min
+ retry: 3, // Retry failed requests
+ retryDelay: (attemptIndex) => Math.min(1000 * 2 ** attemptIndex, 30000),
+ placeholderData: previousData, // Show previous data while loading
+ select: (data) => data.cars.nodes, // Transform data
}
+);
+
+// Mutation hooks
+useCreateCarMutation({
+ onSuccess: (data, variables, context) => {
+ console.log('Created:', data);
+ queryClient.invalidateQueries({ queryKey: ['cars'] });
+ },
+ onError: (error, variables, context) => {
+ console.error('Error:', error);
+ },
+ onSettled: (data, error, variables, context) => {
+ console.log('Mutation completed');
+ },
+ onMutate: async (variables) => {
+ // Optimistic update
+ await queryClient.cancelQueries({ queryKey: ['cars'] });
+ const previousCars = queryClient.getQueryData(['cars']);
+ queryClient.setQueryData(['cars'], (old) => ({
+ ...old,
+ cars: {
+ ...old.cars,
+ nodes: [...old.cars.nodes, { id: 'temp', ...variables.input.car }],
+ },
+ }));
+ return { previousCars };
+ },
+});
+```
+
+### Cache Invalidation
+
+```tsx
+import { useQueryClient } from '@tanstack/react-query';
+import { useCreateCarMutation, useCarsQuery } from './generated/hooks';
+
+function CreateCarWithInvalidation() {
+ const queryClient = useQueryClient();
+
+ const createCar = useCreateCarMutation({
+ onSuccess: () => {
+ // Invalidate all car queries to refetch
+ queryClient.invalidateQueries({ queryKey: ['cars'] });
+
+ // Or invalidate specific queries
+ queryClient.invalidateQueries({ queryKey: ['cars', { first: 10 }] });
+ },
+ });
+
+ // ...
}
```
-## Codegen (types, operations, SDK, React Query)
+### Prefetching
-Programmatic codegen generates files to disk from a schema SDL file or from a live endpoint via introspection.
+```tsx
+import { useQueryClient } from '@tanstack/react-query';
-```js
-import { runCodegen, defaultGraphQLCodegenOptions } from '@constructive-io/graphql-codegen'
+function CarListItem({ car }: { car: Car }) {
+ const queryClient = useQueryClient();
-await runCodegen({
- input: { schema: './schema.graphql' }, // or: { endpoint: 'http://localhost:3000/graphql', headers: { Host: 'meta8.localhost' } }
- output: defaultGraphQLCodegenOptions.output, // root/typesFile/operationsDir/sdkFile/reactQueryFile
- documents: defaultGraphQLCodegenOptions.documents, // format: 'gql'|'ts', naming convention
- features: { emitTypes: true, emitOperations: true, emitSdk: true, emitReactQuery: true },
- reactQuery: { fetcher: 'graphql-request' }
-}, process.cwd())
+ // Prefetch details on hover
+ const handleHover = () => {
+ queryClient.prefetchQuery({
+ queryKey: ['car', { id: car.id }],
+ queryFn: () => execute(carQuery, { id: car.id }),
+ });
+ };
+
+ return (
+
+ {car.brand}
+
+ );
+}
```
-Outputs under `output.root`:
-- `types/generated.ts` (schema types)
-- `operations/*` (queries/mutations/Fragments)
-- `sdk.ts` (typed GraphQL Request client)
-- `react-query.ts` (typed React Query hooks; generated when `emitReactQuery: true`)
+### Type Exports
+
+All generated types are exported for use in your application:
+
+```tsx
+import type {
+ // Entity types
+ Car,
+ User,
+ Product,
+ Order,
+
+ // Filter types
+ CarFilter,
+ UserFilter,
+ StringFilter,
+ IntFilter,
+ UUIDFilter,
+ DatetimeFilter,
+
+ // OrderBy types
+ CarsOrderBy,
+ UsersOrderBy,
+
+ // Input types
+ CreateCarInput,
+ UpdateCarInput,
+ CarPatch,
+ LoginInput,
+
+ // Payload types
+ LoginPayload,
+ CreateCarPayload,
+} from './generated/hooks';
+
+// Use in your components
+interface CarListProps {
+ filter?: CarFilter;
+ orderBy?: CarsOrderBy[];
+}
+
+function CarList({ filter, orderBy }: CarListProps) {
+ const { data } = useCarsQuery({ filter, orderBy, first: 10 });
+ // ...
+}
+```
-Documents options:
-- `format`: `'gql' | 'ts'`
-- `convention`: `'dashed' | 'underscore' | 'camelcase' | 'camelUpper'`
-- `allowQueries`, `excludeQueries`, `excludePatterns` to control which root fields become operations
+### Error Handling
-Endpoint introspection:
-- Set `input.endpoint` and optional `input.headers`
-- If your dev server routes by hostname, add `headers: { Host: 'meta8.localhost' }`
+```tsx
+function CarList() {
+ const { data, isLoading, isError, error, failureCount } = useCarsQuery({
+ first: 10,
+ });
-## Selection Options
+ if (isLoading) {
+ return Loading...
;
+ }
-Configure mutation input style and connection pagination shape.
+ if (isError) {
+ // error is typed as Error
+ return (
+
+
Error: {error.message}
+
Failed {failureCount} times
+
refetch()}>Retry
+
+ );
+ }
-```ts
-selection: {
- mutationInputMode?: 'expanded' | 'model' | 'raw' | 'patchCollapsed'
- connectionStyle?: 'nodes' | 'edges'
- forceModelOutput?: boolean
+ return {/* render data */}
;
}
+
+// Global error handling
+const queryClient = new QueryClient({
+ defaultOptions: {
+ queries: {
+ onError: (error) => {
+ console.error('Query error:', error);
+ // Show toast, log to monitoring, etc.
+ },
+ },
+ mutations: {
+ onError: (error) => {
+ console.error('Mutation error:', error);
+ },
+ },
+ },
+});
```
-- `mutationInputMode`
- - Controls how mutation variables and `input` are generated.
- - `expanded`: one variable per input property; `input` is a flat object of those variables.
- - `model`: one variable per property; variables are nested under the singular model key inside `input`.
- - `raw`: a single `$input: !` variable passed directly as `input: $input`.
- - `patchCollapsed`: a single `$patch: !` plus required locator(s) (e.g., `$id`), passed as `input: { id: $id, patch: $patch }`.
+### Generated Types Reference
-- `connectionStyle`
- - Standardizes connection queries and nested many selections.
- - `nodes`: emits `totalCount` and `nodes { ... }`.
- - `edges`: emits `totalCount`, `pageInfo { ... }`, and `edges { cursor node { ... } }`.
+```typescript
+// Query hook return type
+type UseQueryResult = {
+ data: TData | undefined;
+ error: Error | null;
+ isLoading: boolean;
+ isFetching: boolean;
+ isError: boolean;
+ isSuccess: boolean;
+ refetch: () => Promise>;
+ // ... more React Query properties
+};
+
+// Mutation hook return type
+type UseMutationResult = {
+ data: TData | undefined;
+ error: Error | null;
+ isLoading: boolean; // deprecated, use isPending
+ isPending: boolean;
+ isError: boolean;
+ isSuccess: boolean;
+ mutate: (variables: TVariables) => void;
+ mutateAsync: (variables: TVariables) => Promise;
+ reset: () => void;
+ // ... more React Query properties
+};
+
+// Connection result (for list queries)
+interface CarsConnection {
+ nodes: Car[];
+ totalCount: number;
+ pageInfo: PageInfo;
+}
+
+interface PageInfo {
+ hasNextPage: boolean;
+ hasPreviousPage: boolean;
+ startCursor: string | null;
+ endCursor: string | null;
+}
+```
-- `forceModelOutput`
- - When `true`, ensures the object payload selection is emitted to avoid a payload with only `clientMutationId`.
+---
-### Examples
+## ORM Client
-Create mutation with raw input:
+The ORM client provides a Prisma-like fluent API for GraphQL operations without React dependencies.
-```graphql
-mutation createDomain($input: CreateDomainInput!) {
- createDomain(input: $input) {
- domain { id, domain, subdomain }
+### Generated Output Structure
+
+```
+generated/orm/
+├── index.ts # createClient() factory + re-exports
+├── client.ts # OrmClient class (GraphQL executor)
+├── query-builder.ts # QueryBuilder with execute(), unwrap(), etc.
+├── select-types.ts # Type utilities for select inference
+├── input-types.ts # All generated types (entities, filters, inputs, etc.)
+├── types.ts # Re-exports from input-types
+├── models/
+│ ├── index.ts # Barrel export for all models
+│ ├── user.ts # UserModel class
+│ ├── product.ts # ProductModel class
+│ ├── order.ts # OrderModel class
+│ └── ...
+├── query/
+│ └── index.ts # Custom query operations (currentUser, etc.)
+└── mutation/
+ └── index.ts # Custom mutation operations (login, register, etc.)
+```
+
+### Basic Usage
+
+```typescript
+import { createClient } from './generated/orm';
+
+// Create client instance
+const db = createClient({
+ endpoint: 'https://api.example.com/graphql',
+ headers: { Authorization: 'Bearer ' },
+});
+
+// Query users
+const result = await db.user.findMany({
+ select: { id: true, username: true, email: true },
+ first: 20,
+}).execute();
+
+if (result.ok) {
+ console.log(result.data.users.nodes);
+} else {
+ console.error(result.errors);
+}
+
+// Find first matching user
+const user = await db.user.findFirst({
+ select: { id: true, username: true },
+ where: { username: { equalTo: 'john' } },
+}).execute();
+
+// Create a user
+const newUser = await db.user.create({
+ data: { username: 'john', email: 'john@example.com' },
+ select: { id: true, username: true },
+}).execute();
+
+// Update a user
+const updated = await db.user.update({
+ where: { id: 'user-id' },
+ data: { displayName: 'John Doe' },
+ select: { id: true, displayName: true },
+}).execute();
+
+// Delete a user
+const deleted = await db.user.delete({
+ where: { id: 'user-id' },
+}).execute();
+```
+
+### Select & Type Inference
+
+The ORM uses **const generics** to infer return types based on your select clause. Only the fields you select will be in the return type.
+
+```typescript
+// Select specific fields - return type is narrowed
+const users = await db.user.findMany({
+ select: { id: true, username: true } // Only id and username
+}).unwrap();
+
+// TypeScript knows the exact shape:
+// users.users.nodes[0] is { id: string; username: string | null }
+
+// If you try to access a field you didn't select, TypeScript will error:
+// users.users.nodes[0].email // Error: Property 'email' does not exist
+
+// Without select, you get the full entity type
+const allFields = await db.user.findMany({}).unwrap();
+// allFields.users.nodes[0] has all User fields
+```
+
+### Relations
+
+Relations are fully typed in Select types. The ORM supports all PostGraphile relation types:
+
+#### BelongsTo Relations (Single Entity)
+
+```typescript
+// Order.customer is a belongsTo relation to User
+const orders = await db.order.findMany({
+ select: {
+ id: true,
+ orderNumber: true,
+ // Nested select for belongsTo relation
+ customer: {
+ select: { id: true, username: true, displayName: true }
+ }
+ }
+}).unwrap();
+
+// TypeScript knows:
+// orders.orders.nodes[0].customer is { id: string; username: string | null; displayName: string | null }
+```
+
+#### HasMany Relations (Connection/Collection)
+
+```typescript
+// Order.orderItems is a hasMany relation to OrderItem
+const orders = await db.order.findMany({
+ select: {
+ id: true,
+ // HasMany with pagination and filtering
+ orderItems: {
+ select: { id: true, quantity: true, price: true },
+ first: 10, // Pagination
+ filter: { quantity: { greaterThan: 0 } }, // Filtering
+ orderBy: ['QUANTITY_DESC'] // Ordering
+ }
+ }
+}).unwrap();
+
+// orders.orders.nodes[0].orderItems is a connection:
+// { nodes: Array<{ id: string; quantity: number | null; price: number | null }>, totalCount: number, pageInfo: PageInfo }
+```
+
+#### ManyToMany Relations
+
+```typescript
+// Order.productsByOrderItemOrderIdAndProductId is a manyToMany through OrderItem
+const orders = await db.order.findMany({
+ select: {
+ id: true,
+ productsByOrderItemOrderIdAndProductId: {
+ select: { id: true, name: true, price: true },
+ first: 5
+ }
+ }
+}).unwrap();
+```
+
+#### Deeply Nested Relations
+
+```typescript
+// Multiple levels of nesting
+const products = await db.product.findMany({
+ select: {
+ id: true,
+ name: true,
+ // BelongsTo: Product -> User (seller)
+ seller: {
+ select: {
+ id: true,
+ username: true,
+ // Even deeper nesting if needed
+ }
+ },
+ // BelongsTo: Product -> Category
+ category: {
+ select: { id: true, name: true }
+ },
+ // HasMany: Product -> Review
+ reviews: {
+ select: {
+ id: true,
+ rating: true,
+ comment: true
+ },
+ first: 5,
+ orderBy: ['CREATED_AT_DESC']
+ }
+ }
+}).unwrap();
+```
+
+### Filtering & Ordering
+
+#### Filter Types
+
+Each entity has a generated Filter type with field-specific operators:
+
+```typescript
+// String filters
+where: {
+ username: {
+ equalTo: 'john',
+ notEqualTo: 'jane',
+ in: ['john', 'jane', 'bob'],
+ notIn: ['admin'],
+ contains: 'oh', // LIKE '%oh%'
+ startsWith: 'j', // LIKE 'j%'
+ endsWith: 'n', // LIKE '%n'
+ includesInsensitive: 'OH', // Case-insensitive
+ }
+}
+
+// Number filters (Int, Float, BigInt, BigFloat)
+where: {
+ price: {
+ equalTo: 100,
+ greaterThan: 50,
+ greaterThanOrEqualTo: 50,
+ lessThan: 200,
+ lessThanOrEqualTo: 200,
+ in: [100, 200, 300],
}
}
+
+// Boolean filters
+where: {
+ isActive: { equalTo: true }
+}
+
+// UUID filters
+where: {
+ id: {
+ equalTo: 'uuid-string',
+ in: ['uuid-1', 'uuid-2'],
+ }
+}
+
+// DateTime filters
+where: {
+ createdAt: {
+ greaterThan: '2024-01-01T00:00:00Z',
+ lessThan: '2024-12-31T23:59:59Z',
+ }
+}
+
+// JSON filters
+where: {
+ metadata: {
+ contains: { key: 'value' },
+ containsKey: 'key',
+ containsAllKeys: ['key1', 'key2'],
+ }
+}
+
+// Null checks (all filters)
+where: {
+ deletedAt: { isNull: true }
+}
+```
+
+#### Logical Operators
+
+```typescript
+// AND (implicit - all conditions must match)
+where: {
+ isActive: { equalTo: true },
+ username: { startsWith: 'j' }
+}
+
+// AND (explicit)
+where: {
+ and: [
+ { isActive: { equalTo: true } },
+ { username: { startsWith: 'j' } }
+ ]
+}
+
+// OR
+where: {
+ or: [
+ { status: { equalTo: 'ACTIVE' } },
+ { status: { equalTo: 'PENDING' } }
+ ]
+}
+
+// NOT
+where: {
+ not: { status: { equalTo: 'DELETED' } }
+}
+
+// Complex combinations
+where: {
+ and: [
+ { isActive: { equalTo: true } },
+ {
+ or: [
+ { role: { equalTo: 'ADMIN' } },
+ { role: { equalTo: 'MODERATOR' } }
+ ]
+ }
+ ]
+}
```
-Patch mutation with collapsed patch:
+#### Ordering
-```graphql
-mutation updateDomain($id: UUID!, $patch: DomainPatch!) {
- updateDomain(input: { id: $id, patch: $patch }) {
- domain { id }
- clientMutationId
+```typescript
+const users = await db.user.findMany({
+ select: { id: true, username: true, createdAt: true },
+ orderBy: [
+ 'CREATED_AT_DESC', // Newest first
+ 'USERNAME_ASC', // Then alphabetical
+ ]
+}).unwrap();
+
+// Available OrderBy values (generated per entity):
+// - PRIMARY_KEY_ASC / PRIMARY_KEY_DESC
+// - NATURAL
+// - {FIELD_NAME}_ASC / {FIELD_NAME}_DESC
+```
+
+### Pagination
+
+The ORM supports cursor-based and offset pagination:
+
+```typescript
+// First N records
+const first10 = await db.user.findMany({
+ select: { id: true },
+ first: 10
+}).unwrap();
+
+// Last N records
+const last10 = await db.user.findMany({
+ select: { id: true },
+ last: 10
+}).unwrap();
+
+// Cursor-based pagination (after/before)
+const page1 = await db.user.findMany({
+ select: { id: true },
+ first: 10
+}).unwrap();
+
+const endCursor = page1.users.pageInfo.endCursor;
+
+const page2 = await db.user.findMany({
+ select: { id: true },
+ first: 10,
+ after: endCursor // Get records after this cursor
+}).unwrap();
+
+// Offset pagination
+const page3 = await db.user.findMany({
+ select: { id: true },
+ first: 10,
+ offset: 20 // Skip first 20 records
+}).unwrap();
+
+// PageInfo structure
+// {
+// hasNextPage: boolean;
+// hasPreviousPage: boolean;
+// startCursor: string | null;
+// endCursor: string | null;
+// }
+
+// Total count is always included
+console.log(page1.users.totalCount); // Total matching records
+```
+
+### Error Handling
+
+The ORM provides multiple ways to handle errors:
+
+#### Discriminated Union (Recommended)
+
+```typescript
+const result = await db.user.findMany({
+ select: { id: true }
+}).execute();
+
+if (result.ok) {
+ // TypeScript knows result.data is non-null
+ console.log(result.data.users.nodes);
+ // result.errors is undefined in this branch
+} else {
+ // TypeScript knows result.errors is non-null
+ console.error(result.errors[0].message);
+ // result.data is null in this branch
+}
+```
+
+#### `.unwrap()` - Throw on Error
+
+```typescript
+import { GraphQLRequestError } from './generated/orm';
+
+try {
+ // Throws GraphQLRequestError if query fails
+ const data = await db.user.findMany({
+ select: { id: true }
+ }).unwrap();
+
+ console.log(data.users.nodes);
+} catch (error) {
+ if (error instanceof GraphQLRequestError) {
+ console.error('GraphQL errors:', error.errors);
+ console.error('Message:', error.message);
}
}
```
-Edges‑style connection query:
+#### `.unwrapOr()` - Default Value on Error
-```graphql
-query getDomainsPaginated($first: Int, $after: Cursor) {
- domains(first: $first, after: $after) {
- totalCount
- pageInfo { hasNextPage hasPreviousPage endCursor startCursor }
- edges { cursor node { id domain subdomain } }
+```typescript
+// Returns default value if query fails (no throwing)
+const data = await db.user.findMany({
+ select: { id: true }
+}).unwrapOr({
+ users: {
+ nodes: [],
+ totalCount: 0,
+ pageInfo: { hasNextPage: false, hasPreviousPage: false }
}
+});
+
+// Always returns data (either real or default)
+console.log(data.users.nodes);
+```
+
+#### `.unwrapOrElse()` - Callback on Error
+
+```typescript
+// Call a function to handle errors and return fallback
+const data = await db.user.findMany({
+ select: { id: true }
+}).unwrapOrElse((errors) => {
+ // Log errors, send to monitoring, etc.
+ console.error('Query failed:', errors.map(e => e.message).join(', '));
+
+ // Return fallback data
+ return {
+ users: {
+ nodes: [],
+ totalCount: 0,
+ pageInfo: { hasNextPage: false, hasPreviousPage: false }
+ }
+ };
+});
+```
+
+#### Error Types
+
+```typescript
+interface GraphQLError {
+ message: string;
+ locations?: { line: number; column: number }[];
+ path?: (string | number)[];
+ extensions?: Record;
+}
+
+class GraphQLRequestError extends Error {
+ readonly errors: GraphQLError[];
+ readonly data: unknown; // Partial data if available
}
+
+type QueryResult =
+ | { ok: true; data: T; errors: undefined }
+ | { ok: false; data: null; errors: GraphQLError[] };
```
-## Custom Scalars and Type Overrides
+### Custom Operations
-- When your schema exposes custom scalars that are not available in the printed SDL or differ across environments, you can configure both TypeScript scalar typings and GraphQL type names used in generated operations.
+Custom queries and mutations (like `login`, `currentUser`, etc.) are available on `db.query` and `db.mutation`:
-- Add these to your config object:
+#### Custom Queries
-```json
-{
- "scalars": {
- "LaunchqlInternalTypeHostname": "string",
- "PgpmInternalTypeHostname": "string"
- },
- "typeNameOverrides": {
- "LaunchqlInternalTypeHostname": "String",
- "PgpmInternalTypeHostname": "String"
+```typescript
+// Query with select
+const currentUser = await db.query.currentUser({
+ select: { id: true, username: true, email: true }
+}).unwrap();
+
+// Query without select (returns full type)
+const me = await db.query.currentUser({}).unwrap();
+
+// Query with arguments
+const node = await db.query.nodeById({
+ id: 'some-node-id'
+}, {
+ select: { id: true }
+}).unwrap();
+```
+
+#### Custom Mutations
+
+```typescript
+// Login mutation with typed select
+const login = await db.mutation.login({
+ input: {
+ email: 'user@example.com',
+ password: 'secret123'
+ }
+}, {
+ select: {
+ clientMutationId: true,
+ apiToken: {
+ select: {
+ accessToken: true,
+ accessTokenExpiresAt: true
+ }
+ }
+ }
+}).unwrap();
+
+console.log(login.login.apiToken?.accessToken);
+
+// Register mutation
+const register = await db.mutation.register({
+ input: {
+ email: 'new@example.com',
+ password: 'secret123',
+ username: 'newuser'
}
+}).unwrap();
+
+// Logout mutation
+await db.mutation.logout({
+ input: { clientMutationId: 'optional-id' }
+}).execute();
+```
+
+### Query Builder API
+
+Every operation returns a `QueryBuilder` that can be inspected before execution:
+
+```typescript
+const query = db.user.findMany({
+ select: { id: true, username: true },
+ where: { isActive: { equalTo: true } },
+ first: 10
+});
+
+// Inspect the generated GraphQL
+console.log(query.toGraphQL());
+// query UserQuery($where: UserFilter, $first: Int) {
+// users(filter: $where, first: $first) {
+// nodes { id username }
+// totalCount
+// pageInfo { hasNextPage hasPreviousPage startCursor endCursor }
+// }
+// }
+
+// Get variables
+console.log(query.getVariables());
+// { where: { isActive: { equalTo: true } }, first: 10 }
+
+// Execute when ready
+const result = await query.execute();
+// Or: const data = await query.unwrap();
+```
+
+### Client Configuration
+
+```typescript
+import { createClient } from './generated/orm';
+
+// Basic configuration
+const db = createClient({
+ endpoint: 'https://api.example.com/graphql',
+});
+
+// With authentication
+const db = createClient({
+ endpoint: 'https://api.example.com/graphql',
+ headers: {
+ Authorization: 'Bearer ',
+ 'X-Custom-Header': 'value',
+ },
+});
+
+// Update headers at runtime
+db.setHeaders({
+ Authorization: 'Bearer ',
+});
+
+// Get current endpoint
+console.log(db.getEndpoint());
+```
+
+---
+
+## Architecture
+
+### How It Works
+
+1. **Fetch `_meta`**: Gets table metadata from PostGraphile's `_meta` query including:
+ - Table names and fields
+ - Relations (belongsTo, hasMany, manyToMany)
+ - Constraints (primary key, foreign key, unique)
+ - Inflection rules (query names, type names)
+
+2. **Fetch `__schema`**: Gets full schema introspection for ALL operations:
+ - All queries (including custom ones like `currentUser`)
+ - All mutations (including custom ones like `login`, `register`)
+ - All types (entities, inputs, enums, scalars)
+
+3. **Filter Operations**: Removes table CRUD from custom operations to avoid duplicates
+
+4. **Generate Code**: Creates type-safe code using AST-based generation (`ts-morph`)
+
+### Code Generation Pipeline
+
+```
+PostGraphile Endpoint
+ │
+ ▼
+┌───────────────────┐
+│ Introspection │
+│ - _meta query │
+│ - __schema │
+└───────────────────┘
+ │
+ ▼
+┌───────────────────┐
+│ Schema Parser │
+│ - CleanTable │
+│ - CleanOperation │
+│ - TypeRegistry │
+└───────────────────┘
+ │
+ ▼
+┌───────────────────┐
+│ Code Generators │
+│ - Models │
+│ - Types │
+│ - Client │
+│ - Custom Ops │
+└───────────────────┘
+ │
+ ▼
+┌───────────────────┐
+│ Output Files │
+│ - TypeScript │
+│ - Formatted │
+└───────────────────┘
+```
+
+### Key Concepts
+
+#### Type Inference with Const Generics
+
+The ORM uses TypeScript const generics to infer return types:
+
+```typescript
+// Model method signature
+findMany(
+ args?: FindManyArgs
+): QueryBuilder<{ users: ConnectionResult> }>
+
+// InferSelectResult maps select object to result type
+type InferSelectResult = {
+ [K in keyof TSelect & keyof TEntity as TSelect[K] extends false | undefined
+ ? never
+ : K]: TSelect[K] extends true
+ ? TEntity[K]
+ : TSelect[K] extends { select: infer NestedSelect }
+ ? /* handle nested select */
+ : TEntity[K];
+};
+```
+
+#### Select Types with Relations
+
+Select types include relation fields with proper typing:
+
+```typescript
+export type OrderSelect = {
+ // Scalar fields
+ id?: boolean;
+ orderNumber?: boolean;
+ status?: boolean;
+
+ // BelongsTo relation
+ customer?: boolean | { select?: UserSelect };
+
+ // HasMany relation
+ orderItems?: boolean | {
+ select?: OrderItemSelect;
+ first?: number;
+ filter?: OrderItemFilter;
+ orderBy?: OrderItemsOrderBy[];
+ };
+
+ // ManyToMany relation
+ productsByOrderItemOrderIdAndProductId?: boolean | {
+ select?: ProductSelect;
+ first?: number;
+ filter?: ProductFilter;
+ orderBy?: ProductsOrderBy[];
+ };
+};
+```
+
+---
+
+## Generated Types
+
+### Entity Types
+
+```typescript
+export interface User {
+ id: string;
+ username?: string | null;
+ displayName?: string | null;
+ email?: string | null;
+ createdAt?: string | null;
+ updatedAt?: string | null;
+}
+```
+
+### Filter Types
+
+```typescript
+export interface UserFilter {
+ id?: UUIDFilter;
+ username?: StringFilter;
+ email?: StringFilter;
+ isActive?: BooleanFilter;
+ createdAt?: DatetimeFilter;
+ and?: UserFilter[];
+ or?: UserFilter[];
+ not?: UserFilter;
+}
+
+export interface StringFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ in?: string[];
+ notIn?: string[];
+ contains?: string;
+ startsWith?: string;
+ endsWith?: string;
+ // ... more operators
}
```
-- `scalars`: maps GraphQL scalar names to TypeScript types for `typescript`/`typescript-operations`/`typescript-graphql-request`/`typescript-react-query` plugins.
-- `typeNameOverrides`: rewrites scalar names in generated GraphQL AST so variable definitions and input fields use compatible built‑in GraphQL types.
+### OrderBy Types
+
+```typescript
+export type UsersOrderBy =
+ | 'PRIMARY_KEY_ASC'
+ | 'PRIMARY_KEY_DESC'
+ | 'NATURAL'
+ | 'ID_ASC'
+ | 'ID_DESC'
+ | 'USERNAME_ASC'
+ | 'USERNAME_DESC'
+ | 'CREATED_AT_ASC'
+ | 'CREATED_AT_DESC';
+```
+
+### Input Types
+
+```typescript
+export interface CreateUserInput {
+ clientMutationId?: string;
+ user: {
+ username?: string;
+ email?: string;
+ displayName?: string;
+ };
+}
+
+export interface UpdateUserInput {
+ clientMutationId?: string;
+ id: string;
+ patch: UserPatch;
+}
+
+export interface UserPatch {
+ username?: string | null;
+ email?: string | null;
+ displayName?: string | null;
+}
+```
+
+### Payload Types (Custom Operations)
+
+```typescript
+export interface LoginPayload {
+ clientMutationId?: string | null;
+ apiToken?: ApiToken | null;
+}
+
+export interface ApiToken {
+ accessToken: string;
+ accessTokenExpiresAt?: string | null;
+}
+
+export type LoginPayloadSelect = {
+ clientMutationId?: boolean;
+ apiToken?: boolean | { select?: ApiTokenSelect };
+};
+```
+
+---
+
+## Development
+
+```bash
+# Install dependencies
+pnpm install
+
+# Build the package
+pnpm build
+
+# Run in watch mode
+pnpm dev
+
+# Test React Query hooks generation
+node bin/graphql-sdk.js generate \
+ -e http://public-0e394519.localhost:3000/graphql \
+ -o ./output-rq \
+ --verbose
+
+# Test ORM client generation
+node bin/graphql-sdk.js generate-orm \
+ -e http://public-0e394519.localhost:3000/graphql \
+ -o ./output-orm \
+ --verbose
+
+# Type check generated output
+npx tsc --noEmit output-orm/*.ts output-orm/**/*.ts \
+ --skipLibCheck --target ES2022 --module ESNext \
+ --moduleResolution bundler --strict
+
+# Run example tests
+npx tsx examples/test-orm.ts
+npx tsx examples/type-inference-test.ts
+
+# Type check
+pnpm lint:types
+
+# Run tests
+pnpm test
+```
+
+---
+
+## Roadmap
+
+- [x] **Relations**: Typed nested select with relation loading
+- [x] **Type Inference**: Const generics for narrowed return types
+- [x] **Error Handling**: Discriminated unions with unwrap methods
+- [ ] **Aggregations**: Count, sum, avg operations
+- [ ] **Batch Operations**: Bulk create/update/delete
+- [ ] **Transactions**: Transaction support where available
+- [ ] **Subscriptions**: Real-time subscription support
+- [ ] **Custom Scalars**: Better handling of PostGraphile custom types
+- [ ] **Query Caching**: Optional caching layer for ORM client
+- [ ] **Middleware**: Request/response interceptors
+- [ ] **Connection Pooling**: For high-throughput scenarios
+
+## Requirements
+
+- Node.js >= 18
+- PostGraphile endpoint with `_meta` query enabled
+- React Query v5 (peer dependency for React Query hooks)
+- No dependencies for ORM client (uses native fetch)
+
+## License
-- These options are also available programmatically through `LaunchQLGenOptions`.
+MIT
diff --git a/graphql/codegen/__fixtures__/api.json b/graphql/codegen/__fixtures__/api.json
deleted file mode 100644
index 57e02b836..000000000
--- a/graphql/codegen/__fixtures__/api.json
+++ /dev/null
@@ -1,36076 +0,0 @@
-{
- "data": {
- "__schema": {
- "queryType": {
- "name": "Query"
- },
- "mutationType": {
- "name": "Mutation"
- },
- "subscriptionType": null,
- "types": [
- {
- "kind": "OBJECT",
- "name": "Query",
- "description": "The root query type which gives access points into the data universe.",
- "fields": [
- {
- "name": "query",
- "description": "Exposes the root query type nested one level down. This is helpful for Relay 1 which can only query top level fields if they are in a particular form.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionItems",
- "description": "Reads and enables pagination through a set of `ActionItem`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `ActionItem`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "ActionItemsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "ActionItemCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "ActionItemFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "ActionItemsConnection",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionResults",
- "description": "Reads and enables pagination through a set of `ActionResult`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `ActionResult`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "ActionResultsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "ActionResultCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "ActionResultFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "ActionResultsConnection",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actions",
- "description": "Reads and enables pagination through a set of `Action`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `Action`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "ActionsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "ActionCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "ActionFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "ActionsConnection",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "goals",
- "description": "Reads and enables pagination through a set of `Goal`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `Goal`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "GoalsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "GoalCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "GoalFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "GoalsConnection",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "locations",
- "description": "Reads and enables pagination through a set of `Location`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `Location`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "LocationsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "LocationCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "LocationFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "LocationsConnection",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "newsUpdates",
- "description": "Reads and enables pagination through a set of `NewsUpdate`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `NewsUpdate`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "NewsUpdatesOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "NewsUpdateCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "NewsUpdateFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "NewsUpdatesConnection",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActionItems",
- "description": "Reads and enables pagination through a set of `UserActionItem`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserActionItem`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserActionItemsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionItemCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionItemFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserActionItemsConnection",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActionResults",
- "description": "Reads and enables pagination through a set of `UserActionResult`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserActionResult`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserActionResultsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionResultCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionResultFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserActionResultsConnection",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActions",
- "description": "Reads and enables pagination through a set of `UserAction`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserAction`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserActionsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserActionsConnection",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userCharacteristics",
- "description": "Reads and enables pagination through a set of `UserCharacteristic`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserCharacteristic`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserCharacteristicsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserCharacteristicCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserCharacteristicFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserCharacteristicsConnection",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userConnections",
- "description": "Reads and enables pagination through a set of `UserConnection`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserConnection`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserConnectionsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserConnectionCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserConnectionFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserConnectionsConnection",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userContacts",
- "description": "Reads and enables pagination through a set of `UserContact`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserContact`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserContactsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserContactCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserContactFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserContactsConnection",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userEmails",
- "description": "Reads and enables pagination through a set of `UserEmail`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserEmail`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserEmailsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserEmailCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserEmailFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserEmailsConnection",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userProfiles",
- "description": "Reads and enables pagination through a set of `UserProfile`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserProfile`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserProfilesOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserProfileCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserProfileFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserProfilesConnection",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userSettings",
- "description": "Reads and enables pagination through a set of `UserSetting`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserSetting`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserSettingsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserSettingCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserSettingFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserSettingsConnection",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "users",
- "description": "Reads and enables pagination through a set of `User`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `User`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UsersOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UsersConnection",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionItem",
- "description": null,
- "args": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "ActionItem",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionResult",
- "description": null,
- "args": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "ActionResult",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "action",
- "description": null,
- "args": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "Action",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "goal",
- "description": null,
- "args": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "Goal",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "location",
- "description": null,
- "args": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "Location",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "newsUpdate",
- "description": null,
- "args": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "NewsUpdate",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActionItem",
- "description": null,
- "args": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserActionItem",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActionResult",
- "description": null,
- "args": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserActionResult",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userAction",
- "description": null,
- "args": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserAction",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userCharacteristic",
- "description": null,
- "args": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserCharacteristic",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userCharacteristicByUserId",
- "description": null,
- "args": [
- {
- "name": "userId",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserCharacteristic",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userConnection",
- "description": null,
- "args": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserConnection",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userContact",
- "description": null,
- "args": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserContact",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userEmail",
- "description": null,
- "args": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserEmail",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userEmailByEmail",
- "description": null,
- "args": [
- {
- "name": "email",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserEmail",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userProfile",
- "description": null,
- "args": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserProfile",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userProfileByUserId",
- "description": null,
- "args": [
- {
- "name": "userId",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserProfile",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userSetting",
- "description": null,
- "args": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserSetting",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userSettingByUserId",
- "description": null,
- "args": [
- {
- "name": "userId",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserSetting",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": null,
- "args": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "getCurrentRoleIds",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "getCurrentUser",
- "description": null,
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "getCurrentUserId",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "_meta",
- "description": null,
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Metaschema",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "SCALAR",
- "name": "Int",
- "description": "The `Int` scalar type represents non-fractional signed whole numeric values. Int can represent values between -(2^31) and 2^31 - 1.",
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "SCALAR",
- "name": "Cursor",
- "description": "A location in a connection that can be used for resuming pagination.",
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "ENUM",
- "name": "ActionItemsOrderBy",
- "description": "Methods to use when ordering `ActionItem`.",
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": [
- {
- "name": "NATURAL",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "NAME_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "NAME_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "DESCRIPTION_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "DESCRIPTION_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "LINK_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "LINK_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "TYPE_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "TYPE_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ITEM_ORDER_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ITEM_ORDER_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "REQUIRED_ITEM_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "REQUIRED_ITEM_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "NOTIFICATION_TEXT_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "NOTIFICATION_TEXT_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "EMBED_CODE_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "EMBED_CODE_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_BY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_BY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_BY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_BY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_AT_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_AT_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_AT_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_AT_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ACTION_ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ACTION_ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "OWNER_ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "OWNER_ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PRIMARY_KEY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PRIMARY_KEY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "ActionItemCondition",
- "description": "A condition to be used against `ActionItem` object types. All fields are tested for equality and combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": "Checks for equality with the object’s `id` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "name",
- "description": "Checks for equality with the object’s `name` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "description",
- "description": "Checks for equality with the object’s `description` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "link",
- "description": "Checks for equality with the object’s `link` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "type",
- "description": "Checks for equality with the object’s `type` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "itemOrder",
- "description": "Checks for equality with the object’s `itemOrder` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "requiredItem",
- "description": "Checks for equality with the object’s `requiredItem` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notificationText",
- "description": "Checks for equality with the object’s `notificationText` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "embedCode",
- "description": "Checks for equality with the object’s `embedCode` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": "Checks for equality with the object’s `createdBy` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": "Checks for equality with the object’s `updatedBy` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": "Checks for equality with the object’s `createdAt` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": "Checks for equality with the object’s `updatedAt` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "actionId",
- "description": "Checks for equality with the object’s `actionId` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "ownerId",
- "description": "Checks for equality with the object’s `ownerId` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "SCALAR",
- "name": "UUID",
- "description": "A universally unique identifier as defined by [RFC 4122](https://tools.ietf.org/html/rfc4122).",
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "SCALAR",
- "name": "String",
- "description": "The `String` scalar type represents textual data, represented as UTF-8 character sequences. The String type is most often used by GraphQL to represent free-form human-readable text.",
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "SCALAR",
- "name": "Boolean",
- "description": "The `Boolean` scalar type represents `true` or `false`.",
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "SCALAR",
- "name": "Datetime",
- "description": "A point in time as described by the [ISO 8601](https://en.wikipedia.org/wiki/ISO_8601) standard. May or may not include a timezone.",
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "ActionItemFilter",
- "description": "A filter to be used against `ActionItem` object types. All fields are combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": "Filter by the object’s `id` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "name",
- "description": "Filter by the object’s `name` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "description",
- "description": "Filter by the object’s `description` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "link",
- "description": "Filter by the object’s `link` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "type",
- "description": "Filter by the object’s `type` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "itemOrder",
- "description": "Filter by the object’s `itemOrder` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "IntFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "requiredItem",
- "description": "Filter by the object’s `requiredItem` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "BooleanFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notificationText",
- "description": "Filter by the object’s `notificationText` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "embedCode",
- "description": "Filter by the object’s `embedCode` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": "Filter by the object’s `createdBy` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": "Filter by the object’s `updatedBy` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": "Filter by the object’s `createdAt` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": "Filter by the object’s `updatedAt` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "actionId",
- "description": "Filter by the object’s `actionId` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "ownerId",
- "description": "Filter by the object’s `ownerId` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "and",
- "description": "Checks for all expressions in this list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "ActionItemFilter",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "or",
- "description": "Checks for any expressions in this list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "ActionItemFilter",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "not",
- "description": "Negates the expression.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "ActionItemFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "description": "A filter to be used against UUID fields. All fields are combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "isNull",
- "description": "Is null (if `true` is specified) or is not null (if `false` is specified).",
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "equalTo",
- "description": "Equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notEqualTo",
- "description": "Not equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "distinctFrom",
- "description": "Not equal to the specified value, treating null like an ordinary value.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notDistinctFrom",
- "description": "Equal to the specified value, treating null like an ordinary value.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "in",
- "description": "Included in the specified list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "notIn",
- "description": "Not included in the specified list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "lessThan",
- "description": "Less than the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "lessThanOrEqualTo",
- "description": "Less than or equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "greaterThan",
- "description": "Greater than the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "greaterThanOrEqualTo",
- "description": "Greater than or equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "description": "A filter to be used against String fields. All fields are combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "isNull",
- "description": "Is null (if `true` is specified) or is not null (if `false` is specified).",
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "equalTo",
- "description": "Equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notEqualTo",
- "description": "Not equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "distinctFrom",
- "description": "Not equal to the specified value, treating null like an ordinary value.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notDistinctFrom",
- "description": "Equal to the specified value, treating null like an ordinary value.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "in",
- "description": "Included in the specified list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "notIn",
- "description": "Not included in the specified list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "lessThan",
- "description": "Less than the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "lessThanOrEqualTo",
- "description": "Less than or equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "greaterThan",
- "description": "Greater than the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "greaterThanOrEqualTo",
- "description": "Greater than or equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "includes",
- "description": "Contains the specified string (case-sensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notIncludes",
- "description": "Does not contain the specified string (case-sensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "includesInsensitive",
- "description": "Contains the specified string (case-insensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notIncludesInsensitive",
- "description": "Does not contain the specified string (case-insensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "startsWith",
- "description": "Starts with the specified string (case-sensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notStartsWith",
- "description": "Does not start with the specified string (case-sensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "startsWithInsensitive",
- "description": "Starts with the specified string (case-insensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notStartsWithInsensitive",
- "description": "Does not start with the specified string (case-insensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "endsWith",
- "description": "Ends with the specified string (case-sensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notEndsWith",
- "description": "Does not end with the specified string (case-sensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "endsWithInsensitive",
- "description": "Ends with the specified string (case-insensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notEndsWithInsensitive",
- "description": "Does not end with the specified string (case-insensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "like",
- "description": "Matches the specified pattern (case-sensitive). An underscore (_) matches any single character; a percent sign (%) matches any sequence of zero or more characters.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notLike",
- "description": "Does not match the specified pattern (case-sensitive). An underscore (_) matches any single character; a percent sign (%) matches any sequence of zero or more characters.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "likeInsensitive",
- "description": "Matches the specified pattern (case-insensitive). An underscore (_) matches any single character; a percent sign (%) matches any sequence of zero or more characters.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notLikeInsensitive",
- "description": "Does not match the specified pattern (case-insensitive). An underscore (_) matches any single character; a percent sign (%) matches any sequence of zero or more characters.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "equalToInsensitive",
- "description": "Equal to the specified value (case-insensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notEqualToInsensitive",
- "description": "Not equal to the specified value (case-insensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "distinctFromInsensitive",
- "description": "Not equal to the specified value, treating null like an ordinary value (case-insensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notDistinctFromInsensitive",
- "description": "Equal to the specified value, treating null like an ordinary value (case-insensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "inInsensitive",
- "description": "Included in the specified list (case-insensitive).",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "notInInsensitive",
- "description": "Not included in the specified list (case-insensitive).",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "lessThanInsensitive",
- "description": "Less than the specified value (case-insensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "lessThanOrEqualToInsensitive",
- "description": "Less than or equal to the specified value (case-insensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "greaterThanInsensitive",
- "description": "Greater than the specified value (case-insensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "greaterThanOrEqualToInsensitive",
- "description": "Greater than or equal to the specified value (case-insensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "IntFilter",
- "description": "A filter to be used against Int fields. All fields are combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "isNull",
- "description": "Is null (if `true` is specified) or is not null (if `false` is specified).",
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "equalTo",
- "description": "Equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notEqualTo",
- "description": "Not equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "distinctFrom",
- "description": "Not equal to the specified value, treating null like an ordinary value.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notDistinctFrom",
- "description": "Equal to the specified value, treating null like an ordinary value.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "in",
- "description": "Included in the specified list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "notIn",
- "description": "Not included in the specified list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "lessThan",
- "description": "Less than the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "lessThanOrEqualTo",
- "description": "Less than or equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "greaterThan",
- "description": "Greater than the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "greaterThanOrEqualTo",
- "description": "Greater than or equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "BooleanFilter",
- "description": "A filter to be used against Boolean fields. All fields are combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "isNull",
- "description": "Is null (if `true` is specified) or is not null (if `false` is specified).",
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "equalTo",
- "description": "Equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notEqualTo",
- "description": "Not equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "distinctFrom",
- "description": "Not equal to the specified value, treating null like an ordinary value.",
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notDistinctFrom",
- "description": "Equal to the specified value, treating null like an ordinary value.",
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "in",
- "description": "Included in the specified list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "notIn",
- "description": "Not included in the specified list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "lessThan",
- "description": "Less than the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "lessThanOrEqualTo",
- "description": "Less than or equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "greaterThan",
- "description": "Greater than the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "greaterThanOrEqualTo",
- "description": "Greater than or equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "description": "A filter to be used against Datetime fields. All fields are combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "isNull",
- "description": "Is null (if `true` is specified) or is not null (if `false` is specified).",
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "equalTo",
- "description": "Equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notEqualTo",
- "description": "Not equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "distinctFrom",
- "description": "Not equal to the specified value, treating null like an ordinary value.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notDistinctFrom",
- "description": "Equal to the specified value, treating null like an ordinary value.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "in",
- "description": "Included in the specified list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "notIn",
- "description": "Not included in the specified list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "lessThan",
- "description": "Less than the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "lessThanOrEqualTo",
- "description": "Less than or equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "greaterThan",
- "description": "Greater than the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "greaterThanOrEqualTo",
- "description": "Greater than or equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "ActionItemsConnection",
- "description": "A connection to a list of `ActionItem` values.",
- "fields": [
- {
- "name": "nodes",
- "description": "A list of `ActionItem` objects.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "ActionItem",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "edges",
- "description": "A list of edges which contains the `ActionItem` and cursor to aid in pagination.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "ActionItemsEdge",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "pageInfo",
- "description": "Information to aid in pagination.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "PageInfo",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "totalCount",
- "description": "The count of *all* `ActionItem` you could get from the connection.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "ActionItem",
- "description": null,
- "fields": [
- {
- "name": "id",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "name",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "description",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "link",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "type",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "itemOrder",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "requiredItem",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "notificationText",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "embedCode",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createdBy",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createdAt",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionId",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ownerId",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "action",
- "description": "Reads a single `Action` that is related to this `ActionItem`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Action",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "owner",
- "description": "Reads a single `User` that is related to this `ActionItem`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActionItems",
- "description": "Reads and enables pagination through a set of `UserActionItem`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserActionItem`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserActionItemsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionItemCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionItemFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserActionItemsConnection",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "Action",
- "description": null,
- "fields": [
- {
- "name": "id",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "name",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "photo",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "title",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "description",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "locationRadius",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "url",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "timeRequired",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "startDate",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "endDate",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "approved",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "rewardAmount",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "activityFeedText",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "callToAction",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "completedActionText",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "descriptionHeader",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "tags",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createdBy",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createdAt",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "locationId",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ownerId",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "location",
- "description": "Reads a single `Location` that is related to this `Action`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Location",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "owner",
- "description": "Reads a single `User` that is related to this `Action`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionResults",
- "description": "Reads and enables pagination through a set of `ActionResult`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `ActionResult`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "ActionResultsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "ActionResultCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "ActionResultFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "ActionResultsConnection",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionItems",
- "description": "Reads and enables pagination through a set of `ActionItem`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `ActionItem`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "ActionItemsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "ActionItemCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "ActionItemFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "ActionItemsConnection",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActions",
- "description": "Reads and enables pagination through a set of `UserAction`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserAction`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserActionsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserActionsConnection",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActionResults",
- "description": "Reads and enables pagination through a set of `UserActionResult`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserActionResult`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserActionResultsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionResultCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionResultFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserActionResultsConnection",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActionItems",
- "description": "Reads and enables pagination through a set of `UserActionItem`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserActionItem`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserActionItemsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionItemCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionItemFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserActionItemsConnection",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "SCALAR",
- "name": "JSON",
- "description": "The `JSON` scalar type represents JSON values as specified by [ECMA-404](http://www.ecma-international.org/publications/files/ECMA-ST/ECMA-404.pdf).",
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "SCALAR",
- "name": "BigFloat",
- "description": "A floating point number that requires more precision than IEEE 754 binary 64",
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "Location",
- "description": null,
- "fields": [
- {
- "name": "id",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "geo",
- "description": null,
- "args": [],
- "type": {
- "kind": "INTERFACE",
- "name": "GeometryInterface",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createdBy",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createdAt",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actions",
- "description": "Reads and enables pagination through a set of `Action`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `Action`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "ActionsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "ActionCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "ActionFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "ActionsConnection",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryInterface",
- "description": "All geometry types implement this interface",
- "fields": [
- {
- "name": "geojson",
- "description": "Converts the object to GeoJSON",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": "Spatial reference identifier (SRID)",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": [
- {
- "kind": "OBJECT",
- "name": "GeometryPoint",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryPointM",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryPointZ",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryPointZM",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryLineString",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryLineStringM",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryLineStringZ",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryLineStringZM",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryPolygon",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryPolygonM",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryPolygonZ",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryPolygonZM",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiPoint",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiPointM",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiPointZ",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiPointZM",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiLineString",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiLineStringM",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiLineStringZ",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiLineStringZM",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiPolygon",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiPolygonM",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiPolygonZ",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiPolygonZM",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryGeometryCollection",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryGeometryCollectionM",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryGeometryCollectionZ",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryGeometryCollectionZM",
- "ofType": null
- }
- ]
- },
- {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "description": "The `GeoJSON` scalar type represents GeoJSON values as specified by[RFC 7946](https://tools.ietf.org/html/rfc7946).",
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "ENUM",
- "name": "ActionsOrderBy",
- "description": "Methods to use when ordering `Action`.",
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": [
- {
- "name": "NATURAL",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "NAME_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "NAME_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PHOTO_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PHOTO_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "TITLE_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "TITLE_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "DESCRIPTION_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "DESCRIPTION_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "LOCATION_RADIUS_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "LOCATION_RADIUS_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "URL_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "URL_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "TIME_REQUIRED_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "TIME_REQUIRED_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "START_DATE_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "START_DATE_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "END_DATE_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "END_DATE_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "APPROVED_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "APPROVED_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "REWARD_AMOUNT_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "REWARD_AMOUNT_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ACTIVITY_FEED_TEXT_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ACTIVITY_FEED_TEXT_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CALL_TO_ACTION_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CALL_TO_ACTION_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "COMPLETED_ACTION_TEXT_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "COMPLETED_ACTION_TEXT_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "DESCRIPTION_HEADER_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "DESCRIPTION_HEADER_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "TAGS_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "TAGS_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_BY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_BY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_BY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_BY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_AT_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_AT_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_AT_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_AT_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "LOCATION_ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "LOCATION_ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "OWNER_ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "OWNER_ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PRIMARY_KEY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PRIMARY_KEY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "ActionCondition",
- "description": "A condition to be used against `Action` object types. All fields are tested for equality and combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": "Checks for equality with the object’s `id` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "name",
- "description": "Checks for equality with the object’s `name` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "photo",
- "description": "Checks for equality with the object’s `photo` field.",
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "title",
- "description": "Checks for equality with the object’s `title` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "description",
- "description": "Checks for equality with the object’s `description` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "locationRadius",
- "description": "Checks for equality with the object’s `locationRadius` field.",
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "url",
- "description": "Checks for equality with the object’s `url` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "timeRequired",
- "description": "Checks for equality with the object’s `timeRequired` field.",
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "startDate",
- "description": "Checks for equality with the object’s `startDate` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "endDate",
- "description": "Checks for equality with the object’s `endDate` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "approved",
- "description": "Checks for equality with the object’s `approved` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "rewardAmount",
- "description": "Checks for equality with the object’s `rewardAmount` field.",
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "activityFeedText",
- "description": "Checks for equality with the object’s `activityFeedText` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "callToAction",
- "description": "Checks for equality with the object’s `callToAction` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "completedActionText",
- "description": "Checks for equality with the object’s `completedActionText` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "descriptionHeader",
- "description": "Checks for equality with the object’s `descriptionHeader` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "tags",
- "description": "Checks for equality with the object’s `tags` field.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": "Checks for equality with the object’s `createdBy` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": "Checks for equality with the object’s `updatedBy` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": "Checks for equality with the object’s `createdAt` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": "Checks for equality with the object’s `updatedAt` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "locationId",
- "description": "Checks for equality with the object’s `locationId` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "ownerId",
- "description": "Checks for equality with the object’s `ownerId` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "ActionFilter",
- "description": "A filter to be used against `Action` object types. All fields are combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": "Filter by the object’s `id` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "name",
- "description": "Filter by the object’s `name` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "photo",
- "description": "Filter by the object’s `photo` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "JSONFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "title",
- "description": "Filter by the object’s `title` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "description",
- "description": "Filter by the object’s `description` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "locationRadius",
- "description": "Filter by the object’s `locationRadius` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "BigFloatFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "url",
- "description": "Filter by the object’s `url` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "timeRequired",
- "description": "Filter by the object’s `timeRequired` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "BigFloatFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "startDate",
- "description": "Filter by the object’s `startDate` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "endDate",
- "description": "Filter by the object’s `endDate` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "approved",
- "description": "Filter by the object’s `approved` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "BooleanFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "rewardAmount",
- "description": "Filter by the object’s `rewardAmount` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "BigFloatFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "activityFeedText",
- "description": "Filter by the object’s `activityFeedText` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "callToAction",
- "description": "Filter by the object’s `callToAction` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "completedActionText",
- "description": "Filter by the object’s `completedActionText` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "descriptionHeader",
- "description": "Filter by the object’s `descriptionHeader` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "tags",
- "description": "Filter by the object’s `tags` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringListFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": "Filter by the object’s `createdBy` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": "Filter by the object’s `updatedBy` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": "Filter by the object’s `createdAt` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": "Filter by the object’s `updatedAt` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "locationId",
- "description": "Filter by the object’s `locationId` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "ownerId",
- "description": "Filter by the object’s `ownerId` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "and",
- "description": "Checks for all expressions in this list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "ActionFilter",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "or",
- "description": "Checks for any expressions in this list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "ActionFilter",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "not",
- "description": "Negates the expression.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "ActionFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "JSONFilter",
- "description": "A filter to be used against JSON fields. All fields are combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "isNull",
- "description": "Is null (if `true` is specified) or is not null (if `false` is specified).",
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "equalTo",
- "description": "Equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notEqualTo",
- "description": "Not equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "distinctFrom",
- "description": "Not equal to the specified value, treating null like an ordinary value.",
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notDistinctFrom",
- "description": "Equal to the specified value, treating null like an ordinary value.",
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "in",
- "description": "Included in the specified list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "notIn",
- "description": "Not included in the specified list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "lessThan",
- "description": "Less than the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "lessThanOrEqualTo",
- "description": "Less than or equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "greaterThan",
- "description": "Greater than the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "greaterThanOrEqualTo",
- "description": "Greater than or equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "contains",
- "description": "Contains the specified JSON.",
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "containsKey",
- "description": "Contains the specified key.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "containsAllKeys",
- "description": "Contains all of the specified keys.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "containsAnyKeys",
- "description": "Contains any of the specified keys.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "containedBy",
- "description": "Contained by the specified JSON.",
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "BigFloatFilter",
- "description": "A filter to be used against BigFloat fields. All fields are combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "isNull",
- "description": "Is null (if `true` is specified) or is not null (if `false` is specified).",
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "equalTo",
- "description": "Equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notEqualTo",
- "description": "Not equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "distinctFrom",
- "description": "Not equal to the specified value, treating null like an ordinary value.",
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notDistinctFrom",
- "description": "Equal to the specified value, treating null like an ordinary value.",
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "in",
- "description": "Included in the specified list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "notIn",
- "description": "Not included in the specified list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "lessThan",
- "description": "Less than the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "lessThanOrEqualTo",
- "description": "Less than or equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "greaterThan",
- "description": "Greater than the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "greaterThanOrEqualTo",
- "description": "Greater than or equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "StringListFilter",
- "description": "A filter to be used against String List fields. All fields are combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "isNull",
- "description": "Is null (if `true` is specified) or is not null (if `false` is specified).",
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "equalTo",
- "description": "Equal to the specified value.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "notEqualTo",
- "description": "Not equal to the specified value.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "distinctFrom",
- "description": "Not equal to the specified value, treating null like an ordinary value.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "notDistinctFrom",
- "description": "Equal to the specified value, treating null like an ordinary value.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "lessThan",
- "description": "Less than the specified value.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "lessThanOrEqualTo",
- "description": "Less than or equal to the specified value.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "greaterThan",
- "description": "Greater than the specified value.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "greaterThanOrEqualTo",
- "description": "Greater than or equal to the specified value.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "contains",
- "description": "Contains the specified list of values.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "containedBy",
- "description": "Contained by the specified list of values.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "overlaps",
- "description": "Overlaps the specified list of values.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "anyEqualTo",
- "description": "Any array item is equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "anyNotEqualTo",
- "description": "Any array item is not equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "anyLessThan",
- "description": "Any array item is less than the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "anyLessThanOrEqualTo",
- "description": "Any array item is less than or equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "anyGreaterThan",
- "description": "Any array item is greater than the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "anyGreaterThanOrEqualTo",
- "description": "Any array item is greater than or equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "ActionsConnection",
- "description": "A connection to a list of `Action` values.",
- "fields": [
- {
- "name": "nodes",
- "description": "A list of `Action` objects.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "Action",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "edges",
- "description": "A list of edges which contains the `Action` and cursor to aid in pagination.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "ActionsEdge",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "pageInfo",
- "description": "Information to aid in pagination.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "PageInfo",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "totalCount",
- "description": "The count of *all* `Action` you could get from the connection.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "ActionsEdge",
- "description": "A `Action` edge in the connection.",
- "fields": [
- {
- "name": "cursor",
- "description": "A cursor for use in pagination.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "node",
- "description": "The `Action` at the end of the edge.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "Action",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "PageInfo",
- "description": "Information about pagination in a connection.",
- "fields": [
- {
- "name": "hasNextPage",
- "description": "When paginating forwards, are there more items?",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "hasPreviousPage",
- "description": "When paginating backwards, are there more items?",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "startCursor",
- "description": "When paginating backwards, the cursor to continue.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "endCursor",
- "description": "When paginating forwards, the cursor to continue.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "User",
- "description": null,
- "fields": [
- {
- "name": "id",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "type",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userEmails",
- "description": "Reads and enables pagination through a set of `UserEmail`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserEmail`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserEmailsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserEmailCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserEmailFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserEmailsConnection",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userProfile",
- "description": "Reads a single `UserProfile` that is related to this `User`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserProfile",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userProfiles",
- "description": "Reads and enables pagination through a set of `UserProfile`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserProfile`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserProfilesOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserProfileCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserProfileFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserProfilesConnection",
- "ofType": null
- }
- },
- "isDeprecated": true,
- "deprecationReason": "Please use userProfile instead"
- },
- {
- "name": "userSetting",
- "description": "Reads a single `UserSetting` that is related to this `User`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserSetting",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userSettings",
- "description": "Reads and enables pagination through a set of `UserSetting`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserSetting`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserSettingsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserSettingCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserSettingFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserSettingsConnection",
- "ofType": null
- }
- },
- "isDeprecated": true,
- "deprecationReason": "Please use userSetting instead"
- },
- {
- "name": "userCharacteristic",
- "description": "Reads a single `UserCharacteristic` that is related to this `User`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserCharacteristic",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userCharacteristics",
- "description": "Reads and enables pagination through a set of `UserCharacteristic`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserCharacteristic`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserCharacteristicsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserCharacteristicCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserCharacteristicFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserCharacteristicsConnection",
- "ofType": null
- }
- },
- "isDeprecated": true,
- "deprecationReason": "Please use userCharacteristic instead"
- },
- {
- "name": "userContacts",
- "description": "Reads and enables pagination through a set of `UserContact`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserContact`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserContactsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserContactCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserContactFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserContactsConnection",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userConnectionsByRequesterId",
- "description": "Reads and enables pagination through a set of `UserConnection`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserConnection`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserConnectionsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserConnectionCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserConnectionFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserConnectionsConnection",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userConnectionsByResponderId",
- "description": "Reads and enables pagination through a set of `UserConnection`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserConnection`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserConnectionsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserConnectionCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserConnectionFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserConnectionsConnection",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ownedActions",
- "description": "Reads and enables pagination through a set of `Action`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `Action`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "ActionsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "ActionCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "ActionFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "ActionsConnection",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ownedActionResults",
- "description": "Reads and enables pagination through a set of `ActionResult`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `ActionResult`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "ActionResultsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "ActionResultCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "ActionResultFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "ActionResultsConnection",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ownedActionItems",
- "description": "Reads and enables pagination through a set of `ActionItem`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `ActionItem`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "ActionItemsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "ActionItemCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "ActionItemFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "ActionItemsConnection",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActions",
- "description": "Reads and enables pagination through a set of `UserAction`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserAction`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserActionsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserActionsConnection",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActionsByVerifierId",
- "description": "Reads and enables pagination through a set of `UserAction`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserAction`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserActionsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserActionsConnection",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActionResults",
- "description": "Reads and enables pagination through a set of `UserActionResult`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserActionResult`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserActionResultsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionResultCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionResultFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserActionResultsConnection",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActionItems",
- "description": "Reads and enables pagination through a set of `UserActionItem`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserActionItem`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserActionItemsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionItemCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionItemFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserActionItemsConnection",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "ENUM",
- "name": "UserEmailsOrderBy",
- "description": "Methods to use when ordering `UserEmail`.",
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": [
- {
- "name": "NATURAL",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "USER_ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "USER_ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "EMAIL_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "EMAIL_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "IS_VERIFIED_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "IS_VERIFIED_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PRIMARY_KEY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PRIMARY_KEY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserEmailCondition",
- "description": "A condition to be used against `UserEmail` object types. All fields are tested for equality and combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": "Checks for equality with the object’s `id` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": "Checks for equality with the object’s `userId` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "email",
- "description": "Checks for equality with the object’s `email` field.",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "isVerified",
- "description": "Checks for equality with the object’s `isVerified` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "description": "",
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserEmailFilter",
- "description": "A filter to be used against `UserEmail` object types. All fields are combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": "Filter by the object’s `id` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": "Filter by the object’s `userId` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "email",
- "description": "Filter by the object’s `email` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "LaunchqlInternalTypeEmailFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "isVerified",
- "description": "Filter by the object’s `isVerified` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "BooleanFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "and",
- "description": "Checks for all expressions in this list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserEmailFilter",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "or",
- "description": "Checks for any expressions in this list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserEmailFilter",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "not",
- "description": "Negates the expression.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserEmailFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "LaunchqlInternalTypeEmailFilter",
- "description": "A filter to be used against LaunchqlInternalTypeEmail fields. All fields are combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "isNull",
- "description": "Is null (if `true` is specified) or is not null (if `false` is specified).",
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "equalTo",
- "description": "Equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notEqualTo",
- "description": "Not equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "distinctFrom",
- "description": "Not equal to the specified value, treating null like an ordinary value.",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notDistinctFrom",
- "description": "Equal to the specified value, treating null like an ordinary value.",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "in",
- "description": "Included in the specified list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "notIn",
- "description": "Not included in the specified list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "lessThan",
- "description": "Less than the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "lessThanOrEqualTo",
- "description": "Less than or equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "greaterThan",
- "description": "Greater than the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "greaterThanOrEqualTo",
- "description": "Greater than or equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "includes",
- "description": "Contains the specified string (case-sensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notIncludes",
- "description": "Does not contain the specified string (case-sensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "includesInsensitive",
- "description": "Contains the specified string (case-insensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notIncludesInsensitive",
- "description": "Does not contain the specified string (case-insensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "startsWith",
- "description": "Starts with the specified string (case-sensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notStartsWith",
- "description": "Does not start with the specified string (case-sensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "startsWithInsensitive",
- "description": "Starts with the specified string (case-insensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notStartsWithInsensitive",
- "description": "Does not start with the specified string (case-insensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "endsWith",
- "description": "Ends with the specified string (case-sensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notEndsWith",
- "description": "Does not end with the specified string (case-sensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "endsWithInsensitive",
- "description": "Ends with the specified string (case-insensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notEndsWithInsensitive",
- "description": "Does not end with the specified string (case-insensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "like",
- "description": "Matches the specified pattern (case-sensitive). An underscore (_) matches any single character; a percent sign (%) matches any sequence of zero or more characters.",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notLike",
- "description": "Does not match the specified pattern (case-sensitive). An underscore (_) matches any single character; a percent sign (%) matches any sequence of zero or more characters.",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "likeInsensitive",
- "description": "Matches the specified pattern (case-insensitive). An underscore (_) matches any single character; a percent sign (%) matches any sequence of zero or more characters.",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notLikeInsensitive",
- "description": "Does not match the specified pattern (case-insensitive). An underscore (_) matches any single character; a percent sign (%) matches any sequence of zero or more characters.",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "equalToInsensitive",
- "description": "Equal to the specified value (case-insensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notEqualToInsensitive",
- "description": "Not equal to the specified value (case-insensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "distinctFromInsensitive",
- "description": "Not equal to the specified value, treating null like an ordinary value (case-insensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notDistinctFromInsensitive",
- "description": "Equal to the specified value, treating null like an ordinary value (case-insensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "inInsensitive",
- "description": "Included in the specified list (case-insensitive).",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "notInInsensitive",
- "description": "Not included in the specified list (case-insensitive).",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "lessThanInsensitive",
- "description": "Less than the specified value (case-insensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "lessThanOrEqualToInsensitive",
- "description": "Less than or equal to the specified value (case-insensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "greaterThanInsensitive",
- "description": "Greater than the specified value (case-insensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "greaterThanOrEqualToInsensitive",
- "description": "Greater than or equal to the specified value (case-insensitive).",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UserEmailsConnection",
- "description": "A connection to a list of `UserEmail` values.",
- "fields": [
- {
- "name": "nodes",
- "description": "A list of `UserEmail` objects.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserEmail",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "edges",
- "description": "A list of edges which contains the `UserEmail` and cursor to aid in pagination.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserEmailsEdge",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "pageInfo",
- "description": "Information to aid in pagination.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "PageInfo",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "totalCount",
- "description": "The count of *all* `UserEmail` you could get from the connection.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UserEmail",
- "description": null,
- "fields": [
- {
- "name": "id",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userId",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "email",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "isVerified",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "Reads a single `User` that is related to this `UserEmail`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UserEmailsEdge",
- "description": "A `UserEmail` edge in the connection.",
- "fields": [
- {
- "name": "cursor",
- "description": "A cursor for use in pagination.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "node",
- "description": "The `UserEmail` at the end of the edge.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserEmail",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UserProfile",
- "description": null,
- "fields": [
- {
- "name": "id",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "profilePicture",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "bio",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "reputation",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "firstName",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "lastName",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "tags",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createdBy",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createdAt",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userId",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "Reads a single `User` that is related to this `UserProfile`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "ENUM",
- "name": "UserProfilesOrderBy",
- "description": "Methods to use when ordering `UserProfile`.",
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": [
- {
- "name": "NATURAL",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PROFILE_PICTURE_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PROFILE_PICTURE_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "BIO_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "BIO_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "REPUTATION_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "REPUTATION_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "FIRST_NAME_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "FIRST_NAME_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "LAST_NAME_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "LAST_NAME_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "TAGS_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "TAGS_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_BY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_BY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_BY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_BY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_AT_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_AT_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_AT_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_AT_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "USER_ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "USER_ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PRIMARY_KEY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PRIMARY_KEY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserProfileCondition",
- "description": "A condition to be used against `UserProfile` object types. All fields are tested for equality and combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": "Checks for equality with the object’s `id` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "profilePicture",
- "description": "Checks for equality with the object’s `profilePicture` field.",
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "bio",
- "description": "Checks for equality with the object’s `bio` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "reputation",
- "description": "Checks for equality with the object’s `reputation` field.",
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "firstName",
- "description": "Checks for equality with the object’s `firstName` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "lastName",
- "description": "Checks for equality with the object’s `lastName` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "tags",
- "description": "Checks for equality with the object’s `tags` field.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": "Checks for equality with the object’s `createdBy` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": "Checks for equality with the object’s `updatedBy` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": "Checks for equality with the object’s `createdAt` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": "Checks for equality with the object’s `updatedAt` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": "Checks for equality with the object’s `userId` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserProfileFilter",
- "description": "A filter to be used against `UserProfile` object types. All fields are combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": "Filter by the object’s `id` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "profilePicture",
- "description": "Filter by the object’s `profilePicture` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "JSONFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "bio",
- "description": "Filter by the object’s `bio` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "reputation",
- "description": "Filter by the object’s `reputation` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "BigFloatFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "firstName",
- "description": "Filter by the object’s `firstName` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "lastName",
- "description": "Filter by the object’s `lastName` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "tags",
- "description": "Filter by the object’s `tags` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringListFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": "Filter by the object’s `createdBy` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": "Filter by the object’s `updatedBy` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": "Filter by the object’s `createdAt` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": "Filter by the object’s `updatedAt` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": "Filter by the object’s `userId` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "and",
- "description": "Checks for all expressions in this list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserProfileFilter",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "or",
- "description": "Checks for any expressions in this list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserProfileFilter",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "not",
- "description": "Negates the expression.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserProfileFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UserProfilesConnection",
- "description": "A connection to a list of `UserProfile` values.",
- "fields": [
- {
- "name": "nodes",
- "description": "A list of `UserProfile` objects.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserProfile",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "edges",
- "description": "A list of edges which contains the `UserProfile` and cursor to aid in pagination.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserProfilesEdge",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "pageInfo",
- "description": "Information to aid in pagination.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "PageInfo",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "totalCount",
- "description": "The count of *all* `UserProfile` you could get from the connection.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UserProfilesEdge",
- "description": "A `UserProfile` edge in the connection.",
- "fields": [
- {
- "name": "cursor",
- "description": "A cursor for use in pagination.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "node",
- "description": "The `UserProfile` at the end of the edge.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserProfile",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UserSetting",
- "description": null,
- "fields": [
- {
- "name": "id",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "searchRadius",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "zip",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "geo",
- "description": null,
- "args": [],
- "type": {
- "kind": "INTERFACE",
- "name": "GeometryInterface",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createdBy",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createdAt",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userId",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "Reads a single `User` that is related to this `UserSetting`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "ENUM",
- "name": "UserSettingsOrderBy",
- "description": "Methods to use when ordering `UserSetting`.",
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": [
- {
- "name": "NATURAL",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "SEARCH_RADIUS_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "SEARCH_RADIUS_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ZIP_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ZIP_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "GEO_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "GEO_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_BY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_BY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_BY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_BY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_AT_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_AT_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_AT_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_AT_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "USER_ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "USER_ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PRIMARY_KEY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PRIMARY_KEY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserSettingCondition",
- "description": "A condition to be used against `UserSetting` object types. All fields are tested for equality and combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": "Checks for equality with the object’s `id` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "searchRadius",
- "description": "Checks for equality with the object’s `searchRadius` field.",
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "zip",
- "description": "Checks for equality with the object’s `zip` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "geo",
- "description": "Checks for equality with the object’s `geo` field.",
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": "Checks for equality with the object’s `createdBy` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": "Checks for equality with the object’s `updatedBy` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": "Checks for equality with the object’s `createdAt` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": "Checks for equality with the object’s `updatedAt` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": "Checks for equality with the object’s `userId` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserSettingFilter",
- "description": "A filter to be used against `UserSetting` object types. All fields are combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": "Filter by the object’s `id` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "searchRadius",
- "description": "Filter by the object’s `searchRadius` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "BigFloatFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "zip",
- "description": "Filter by the object’s `zip` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "geo",
- "description": "Filter by the object’s `geo` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "GeometryInterfaceFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": "Filter by the object’s `createdBy` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": "Filter by the object’s `updatedBy` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": "Filter by the object’s `createdAt` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": "Filter by the object’s `updatedAt` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": "Filter by the object’s `userId` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "and",
- "description": "Checks for all expressions in this list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserSettingFilter",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "or",
- "description": "Checks for any expressions in this list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserSettingFilter",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "not",
- "description": "Negates the expression.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserSettingFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "GeometryInterfaceFilter",
- "description": "A filter to be used against GeometryInterface fields. All fields are combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "bboxAbove",
- "description": "Bounding box is strictly above the specified geometry's bounding box.",
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "bboxBelow",
- "description": "Bounding box is strictly below the specified geometry's bounding box.",
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "bboxContains",
- "description": "Bounding box contains the specified geometry's bounding box.",
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "bboxEquals",
- "description": "Bounding box is the same as the specified geometry's bounding box.",
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "bboxIntersects2D",
- "description": "2D bounding box intersects the specified geometry's 2D bounding box.",
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "bboxIntersectsND",
- "description": "n-D bounding box intersects the specified geometry's n-D bounding box.",
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "bboxLeftOf",
- "description": "Bounding box is strictly to the left of the specified geometry's bounding box.",
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "bboxOverlapsOrAbove",
- "description": "Bounding box overlaps or is above the specified geometry's bounding box.",
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "bboxOverlapsOrBelow",
- "description": "Bounding box overlaps or is below the specified geometry's bounding box.",
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "bboxOverlapsOrLeftOf",
- "description": "Bounding box overlaps or is to the left of the specified geometry's bounding box.",
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "bboxOverlapsOrRightOf",
- "description": "Bounding box overlaps or is to the right of the specified geometry's bounding box.",
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "bboxRightOf",
- "description": "Bounding box is strictly to the right of the specified geometry's bounding box.",
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "contains",
- "description": "No points of the specified geometry lie in the exterior, and at least one point of the interior of the specified geometry lies in the interior.",
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "containsProperly",
- "description": "The specified geometry intersects the interior but not the boundary (or exterior).",
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "coveredBy",
- "description": "No point is outside the specified geometry.",
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "covers",
- "description": "No point in the specified geometry is outside.",
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "crosses",
- "description": "They have some, but not all, interior points in common.",
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "disjoint",
- "description": "They do not share any space together.",
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "equals",
- "description": "They represent the same geometry. Directionality is ignored.",
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "exactlyEquals",
- "description": "Coordinates and coordinate order are the same as specified geometry.",
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "intersects",
- "description": "They share any portion of space in 2D.",
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "intersects3D",
- "description": "They share any portion of space in 3D.",
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderingEquals",
- "description": "They represent the same geometry and points are in the same directional order.",
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "overlaps",
- "description": "They share space, are of the same dimension, but are not completely contained by each other.",
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "touches",
- "description": "They have at least one point in common, but their interiors do not intersect.",
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "within",
- "description": "Completely inside the specified geometry.",
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UserSettingsConnection",
- "description": "A connection to a list of `UserSetting` values.",
- "fields": [
- {
- "name": "nodes",
- "description": "A list of `UserSetting` objects.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserSetting",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "edges",
- "description": "A list of edges which contains the `UserSetting` and cursor to aid in pagination.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserSettingsEdge",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "pageInfo",
- "description": "Information to aid in pagination.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "PageInfo",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "totalCount",
- "description": "The count of *all* `UserSetting` you could get from the connection.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UserSettingsEdge",
- "description": "A `UserSetting` edge in the connection.",
- "fields": [
- {
- "name": "cursor",
- "description": "A cursor for use in pagination.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "node",
- "description": "The `UserSetting` at the end of the edge.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserSetting",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UserCharacteristic",
- "description": null,
- "fields": [
- {
- "name": "id",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "income",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "gender",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "race",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "age",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "dob",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Date",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "education",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "homeOwnership",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "treeHuggerLevel",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "freeTime",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "researchToDoer",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createdBy",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createdAt",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userId",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "Reads a single `User` that is related to this `UserCharacteristic`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "SCALAR",
- "name": "Date",
- "description": "The day, does not include a time.",
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "ENUM",
- "name": "UserCharacteristicsOrderBy",
- "description": "Methods to use when ordering `UserCharacteristic`.",
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": [
- {
- "name": "NATURAL",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "INCOME_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "INCOME_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "GENDER_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "GENDER_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "RACE_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "RACE_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "AGE_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "AGE_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "DOB_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "DOB_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "EDUCATION_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "EDUCATION_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "HOME_OWNERSHIP_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "HOME_OWNERSHIP_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "TREE_HUGGER_LEVEL_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "TREE_HUGGER_LEVEL_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "FREE_TIME_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "FREE_TIME_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "RESEARCH_TO_DOER_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "RESEARCH_TO_DOER_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_BY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_BY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_BY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_BY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_AT_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_AT_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_AT_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_AT_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "USER_ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "USER_ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PRIMARY_KEY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PRIMARY_KEY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserCharacteristicCondition",
- "description": "A condition to be used against `UserCharacteristic` object types. All fields are tested for equality and combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": "Checks for equality with the object’s `id` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "income",
- "description": "Checks for equality with the object’s `income` field.",
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "gender",
- "description": "Checks for equality with the object’s `gender` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "race",
- "description": "Checks for equality with the object’s `race` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "age",
- "description": "Checks for equality with the object’s `age` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "dob",
- "description": "Checks for equality with the object’s `dob` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Date",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "education",
- "description": "Checks for equality with the object’s `education` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "homeOwnership",
- "description": "Checks for equality with the object’s `homeOwnership` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "treeHuggerLevel",
- "description": "Checks for equality with the object’s `treeHuggerLevel` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "freeTime",
- "description": "Checks for equality with the object’s `freeTime` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "researchToDoer",
- "description": "Checks for equality with the object’s `researchToDoer` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": "Checks for equality with the object’s `createdBy` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": "Checks for equality with the object’s `updatedBy` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": "Checks for equality with the object’s `createdAt` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": "Checks for equality with the object’s `updatedAt` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": "Checks for equality with the object’s `userId` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserCharacteristicFilter",
- "description": "A filter to be used against `UserCharacteristic` object types. All fields are combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": "Filter by the object’s `id` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "income",
- "description": "Filter by the object’s `income` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "BigFloatFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "gender",
- "description": "Filter by the object’s `gender` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "IntFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "race",
- "description": "Filter by the object’s `race` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "age",
- "description": "Filter by the object’s `age` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "IntFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "dob",
- "description": "Filter by the object’s `dob` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DateFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "education",
- "description": "Filter by the object’s `education` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "homeOwnership",
- "description": "Filter by the object’s `homeOwnership` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "treeHuggerLevel",
- "description": "Filter by the object’s `treeHuggerLevel` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "IntFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "freeTime",
- "description": "Filter by the object’s `freeTime` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "IntFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "researchToDoer",
- "description": "Filter by the object’s `researchToDoer` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "IntFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": "Filter by the object’s `createdBy` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": "Filter by the object’s `updatedBy` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": "Filter by the object’s `createdAt` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": "Filter by the object’s `updatedAt` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": "Filter by the object’s `userId` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "and",
- "description": "Checks for all expressions in this list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserCharacteristicFilter",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "or",
- "description": "Checks for any expressions in this list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserCharacteristicFilter",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "not",
- "description": "Negates the expression.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserCharacteristicFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "DateFilter",
- "description": "A filter to be used against Date fields. All fields are combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "isNull",
- "description": "Is null (if `true` is specified) or is not null (if `false` is specified).",
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "equalTo",
- "description": "Equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "Date",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notEqualTo",
- "description": "Not equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "Date",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "distinctFrom",
- "description": "Not equal to the specified value, treating null like an ordinary value.",
- "type": {
- "kind": "SCALAR",
- "name": "Date",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notDistinctFrom",
- "description": "Equal to the specified value, treating null like an ordinary value.",
- "type": {
- "kind": "SCALAR",
- "name": "Date",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "in",
- "description": "Included in the specified list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Date",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "notIn",
- "description": "Not included in the specified list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Date",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "lessThan",
- "description": "Less than the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "Date",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "lessThanOrEqualTo",
- "description": "Less than or equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "Date",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "greaterThan",
- "description": "Greater than the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "Date",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "greaterThanOrEqualTo",
- "description": "Greater than or equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "Date",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UserCharacteristicsConnection",
- "description": "A connection to a list of `UserCharacteristic` values.",
- "fields": [
- {
- "name": "nodes",
- "description": "A list of `UserCharacteristic` objects.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserCharacteristic",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "edges",
- "description": "A list of edges which contains the `UserCharacteristic` and cursor to aid in pagination.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserCharacteristicsEdge",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "pageInfo",
- "description": "Information to aid in pagination.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "PageInfo",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "totalCount",
- "description": "The count of *all* `UserCharacteristic` you could get from the connection.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UserCharacteristicsEdge",
- "description": "A `UserCharacteristic` edge in the connection.",
- "fields": [
- {
- "name": "cursor",
- "description": "A cursor for use in pagination.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "node",
- "description": "The `UserCharacteristic` at the end of the edge.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserCharacteristic",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "ENUM",
- "name": "UserContactsOrderBy",
- "description": "Methods to use when ordering `UserContact`.",
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": [
- {
- "name": "NATURAL",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "VCF_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "VCF_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "FULL_NAME_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "FULL_NAME_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "EMAILS_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "EMAILS_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "DEVICE_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "DEVICE_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_BY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_BY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_BY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_BY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_AT_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_AT_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_AT_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_AT_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "USER_ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "USER_ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PRIMARY_KEY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PRIMARY_KEY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserContactCondition",
- "description": "A condition to be used against `UserContact` object types. All fields are tested for equality and combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": "Checks for equality with the object’s `id` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "vcf",
- "description": "Checks for equality with the object’s `vcf` field.",
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "fullName",
- "description": "Checks for equality with the object’s `fullName` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "emails",
- "description": "Checks for equality with the object’s `emails` field.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "device",
- "description": "Checks for equality with the object’s `device` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": "Checks for equality with the object’s `createdBy` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": "Checks for equality with the object’s `updatedBy` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": "Checks for equality with the object’s `createdAt` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": "Checks for equality with the object’s `updatedAt` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": "Checks for equality with the object’s `userId` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserContactFilter",
- "description": "A filter to be used against `UserContact` object types. All fields are combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": "Filter by the object’s `id` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "vcf",
- "description": "Filter by the object’s `vcf` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "JSONFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "fullName",
- "description": "Filter by the object’s `fullName` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "emails",
- "description": "Filter by the object’s `emails` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "LaunchqlInternalTypeEmailListFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "device",
- "description": "Filter by the object’s `device` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": "Filter by the object’s `createdBy` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": "Filter by the object’s `updatedBy` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": "Filter by the object’s `createdAt` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": "Filter by the object’s `updatedAt` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": "Filter by the object’s `userId` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "and",
- "description": "Checks for all expressions in this list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserContactFilter",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "or",
- "description": "Checks for any expressions in this list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserContactFilter",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "not",
- "description": "Negates the expression.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserContactFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "LaunchqlInternalTypeEmailListFilter",
- "description": "A filter to be used against LaunchqlInternalTypeEmail List fields. All fields are combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "isNull",
- "description": "Is null (if `true` is specified) or is not null (if `false` is specified).",
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "equalTo",
- "description": "Equal to the specified value.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "notEqualTo",
- "description": "Not equal to the specified value.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "distinctFrom",
- "description": "Not equal to the specified value, treating null like an ordinary value.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "notDistinctFrom",
- "description": "Equal to the specified value, treating null like an ordinary value.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "lessThan",
- "description": "Less than the specified value.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "lessThanOrEqualTo",
- "description": "Less than or equal to the specified value.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "greaterThan",
- "description": "Greater than the specified value.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "greaterThanOrEqualTo",
- "description": "Greater than or equal to the specified value.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "contains",
- "description": "Contains the specified list of values.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "containedBy",
- "description": "Contained by the specified list of values.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "overlaps",
- "description": "Overlaps the specified list of values.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "anyEqualTo",
- "description": "Any array item is equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "anyNotEqualTo",
- "description": "Any array item is not equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "anyLessThan",
- "description": "Any array item is less than the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "anyLessThanOrEqualTo",
- "description": "Any array item is less than or equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "anyGreaterThan",
- "description": "Any array item is greater than the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "anyGreaterThanOrEqualTo",
- "description": "Any array item is greater than or equal to the specified value.",
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UserContactsConnection",
- "description": "A connection to a list of `UserContact` values.",
- "fields": [
- {
- "name": "nodes",
- "description": "A list of `UserContact` objects.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserContact",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "edges",
- "description": "A list of edges which contains the `UserContact` and cursor to aid in pagination.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserContactsEdge",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "pageInfo",
- "description": "Information to aid in pagination.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "PageInfo",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "totalCount",
- "description": "The count of *all* `UserContact` you could get from the connection.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UserContact",
- "description": null,
- "fields": [
- {
- "name": "id",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "vcf",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "fullName",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "emails",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "device",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createdBy",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createdAt",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userId",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "Reads a single `User` that is related to this `UserContact`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UserContactsEdge",
- "description": "A `UserContact` edge in the connection.",
- "fields": [
- {
- "name": "cursor",
- "description": "A cursor for use in pagination.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "node",
- "description": "The `UserContact` at the end of the edge.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserContact",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "ENUM",
- "name": "UserConnectionsOrderBy",
- "description": "Methods to use when ordering `UserConnection`.",
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": [
- {
- "name": "NATURAL",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ACCEPTED_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ACCEPTED_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_BY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_BY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_BY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_BY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_AT_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_AT_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_AT_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_AT_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "REQUESTER_ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "REQUESTER_ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "RESPONDER_ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "RESPONDER_ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PRIMARY_KEY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PRIMARY_KEY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserConnectionCondition",
- "description": "A condition to be used against `UserConnection` object types. All fields are tested for equality and combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": "Checks for equality with the object’s `id` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "accepted",
- "description": "Checks for equality with the object’s `accepted` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": "Checks for equality with the object’s `createdBy` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": "Checks for equality with the object’s `updatedBy` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": "Checks for equality with the object’s `createdAt` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": "Checks for equality with the object’s `updatedAt` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "requesterId",
- "description": "Checks for equality with the object’s `requesterId` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "responderId",
- "description": "Checks for equality with the object’s `responderId` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserConnectionFilter",
- "description": "A filter to be used against `UserConnection` object types. All fields are combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": "Filter by the object’s `id` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "accepted",
- "description": "Filter by the object’s `accepted` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "BooleanFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": "Filter by the object’s `createdBy` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": "Filter by the object’s `updatedBy` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": "Filter by the object’s `createdAt` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": "Filter by the object’s `updatedAt` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "requesterId",
- "description": "Filter by the object’s `requesterId` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "responderId",
- "description": "Filter by the object’s `responderId` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "and",
- "description": "Checks for all expressions in this list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserConnectionFilter",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "or",
- "description": "Checks for any expressions in this list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserConnectionFilter",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "not",
- "description": "Negates the expression.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserConnectionFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UserConnectionsConnection",
- "description": "A connection to a list of `UserConnection` values.",
- "fields": [
- {
- "name": "nodes",
- "description": "A list of `UserConnection` objects.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserConnection",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "edges",
- "description": "A list of edges which contains the `UserConnection` and cursor to aid in pagination.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserConnectionsEdge",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "pageInfo",
- "description": "Information to aid in pagination.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "PageInfo",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "totalCount",
- "description": "The count of *all* `UserConnection` you could get from the connection.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UserConnection",
- "description": null,
- "fields": [
- {
- "name": "id",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "accepted",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createdBy",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createdAt",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "requesterId",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "responderId",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "requester",
- "description": "Reads a single `User` that is related to this `UserConnection`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "responder",
- "description": "Reads a single `User` that is related to this `UserConnection`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UserConnectionsEdge",
- "description": "A `UserConnection` edge in the connection.",
- "fields": [
- {
- "name": "cursor",
- "description": "A cursor for use in pagination.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "node",
- "description": "The `UserConnection` at the end of the edge.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserConnection",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "ENUM",
- "name": "ActionResultsOrderBy",
- "description": "Methods to use when ordering `ActionResult`.",
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": [
- {
- "name": "NATURAL",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_BY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_BY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_BY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_BY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_AT_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_AT_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_AT_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_AT_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ACTION_ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ACTION_ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "OWNER_ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "OWNER_ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PRIMARY_KEY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PRIMARY_KEY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "ActionResultCondition",
- "description": "A condition to be used against `ActionResult` object types. All fields are tested for equality and combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": "Checks for equality with the object’s `id` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": "Checks for equality with the object’s `createdBy` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": "Checks for equality with the object’s `updatedBy` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": "Checks for equality with the object’s `createdAt` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": "Checks for equality with the object’s `updatedAt` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "actionId",
- "description": "Checks for equality with the object’s `actionId` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "ownerId",
- "description": "Checks for equality with the object’s `ownerId` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "ActionResultFilter",
- "description": "A filter to be used against `ActionResult` object types. All fields are combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": "Filter by the object’s `id` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": "Filter by the object’s `createdBy` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": "Filter by the object’s `updatedBy` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": "Filter by the object’s `createdAt` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": "Filter by the object’s `updatedAt` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "actionId",
- "description": "Filter by the object’s `actionId` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "ownerId",
- "description": "Filter by the object’s `ownerId` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "and",
- "description": "Checks for all expressions in this list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "ActionResultFilter",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "or",
- "description": "Checks for any expressions in this list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "ActionResultFilter",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "not",
- "description": "Negates the expression.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "ActionResultFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "ActionResultsConnection",
- "description": "A connection to a list of `ActionResult` values.",
- "fields": [
- {
- "name": "nodes",
- "description": "A list of `ActionResult` objects.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "ActionResult",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "edges",
- "description": "A list of edges which contains the `ActionResult` and cursor to aid in pagination.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "ActionResultsEdge",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "pageInfo",
- "description": "Information to aid in pagination.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "PageInfo",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "totalCount",
- "description": "The count of *all* `ActionResult` you could get from the connection.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "ActionResult",
- "description": null,
- "fields": [
- {
- "name": "id",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createdBy",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createdAt",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionId",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ownerId",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "action",
- "description": "Reads a single `Action` that is related to this `ActionResult`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Action",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "owner",
- "description": "Reads a single `User` that is related to this `ActionResult`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActionResults",
- "description": "Reads and enables pagination through a set of `UserActionResult`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserActionResult`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserActionResultsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionResultCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionResultFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserActionResultsConnection",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "ENUM",
- "name": "UserActionResultsOrderBy",
- "description": "Methods to use when ordering `UserActionResult`.",
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": [
- {
- "name": "NATURAL",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "DATE_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "DATE_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "VALUE_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "VALUE_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_BY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_BY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_BY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_BY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_AT_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_AT_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_AT_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_AT_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "USER_ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "USER_ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ACTION_ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ACTION_ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "USER_ACTION_ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "USER_ACTION_ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ACTION_RESULT_ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ACTION_RESULT_ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PRIMARY_KEY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PRIMARY_KEY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserActionResultCondition",
- "description": "A condition to be used against `UserActionResult` object types. All fields are tested for equality and combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": "Checks for equality with the object’s `id` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "date",
- "description": "Checks for equality with the object’s `date` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "value",
- "description": "Checks for equality with the object’s `value` field.",
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": "Checks for equality with the object’s `createdBy` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": "Checks for equality with the object’s `updatedBy` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": "Checks for equality with the object’s `createdAt` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": "Checks for equality with the object’s `updatedAt` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": "Checks for equality with the object’s `userId` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "actionId",
- "description": "Checks for equality with the object’s `actionId` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userActionId",
- "description": "Checks for equality with the object’s `userActionId` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "actionResultId",
- "description": "Checks for equality with the object’s `actionResultId` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserActionResultFilter",
- "description": "A filter to be used against `UserActionResult` object types. All fields are combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": "Filter by the object’s `id` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "date",
- "description": "Filter by the object’s `date` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "value",
- "description": "Filter by the object’s `value` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "JSONFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": "Filter by the object’s `createdBy` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": "Filter by the object’s `updatedBy` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": "Filter by the object’s `createdAt` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": "Filter by the object’s `updatedAt` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": "Filter by the object’s `userId` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "actionId",
- "description": "Filter by the object’s `actionId` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userActionId",
- "description": "Filter by the object’s `userActionId` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "actionResultId",
- "description": "Filter by the object’s `actionResultId` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "and",
- "description": "Checks for all expressions in this list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionResultFilter",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "or",
- "description": "Checks for any expressions in this list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionResultFilter",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "not",
- "description": "Negates the expression.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionResultFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UserActionResultsConnection",
- "description": "A connection to a list of `UserActionResult` values.",
- "fields": [
- {
- "name": "nodes",
- "description": "A list of `UserActionResult` objects.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserActionResult",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "edges",
- "description": "A list of edges which contains the `UserActionResult` and cursor to aid in pagination.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserActionResultsEdge",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "pageInfo",
- "description": "Information to aid in pagination.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "PageInfo",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "totalCount",
- "description": "The count of *all* `UserActionResult` you could get from the connection.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UserActionResult",
- "description": null,
- "fields": [
- {
- "name": "id",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "date",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "value",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createdBy",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createdAt",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userId",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionId",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActionId",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionResultId",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "Reads a single `User` that is related to this `UserActionResult`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "action",
- "description": "Reads a single `Action` that is related to this `UserActionResult`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Action",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userAction",
- "description": "Reads a single `UserAction` that is related to this `UserActionResult`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserAction",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionResult",
- "description": "Reads a single `ActionResult` that is related to this `UserActionResult`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "ActionResult",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UserAction",
- "description": null,
- "fields": [
- {
- "name": "id",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionStarted",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "verified",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "verifiedDate",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "status",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userRating",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "rejected",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "rejectedReason",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createdBy",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createdAt",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userId",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "verifierId",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionId",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "Reads a single `User` that is related to this `UserAction`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "verifier",
- "description": "Reads a single `User` that is related to this `UserAction`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "action",
- "description": "Reads a single `Action` that is related to this `UserAction`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Action",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActionResults",
- "description": "Reads and enables pagination through a set of `UserActionResult`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserActionResult`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserActionResultsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionResultCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionResultFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserActionResultsConnection",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActionItems",
- "description": "Reads and enables pagination through a set of `UserActionItem`.",
- "args": [
- {
- "name": "first",
- "description": "Only read the first `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "last",
- "description": "Only read the last `n` values of the set.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "offset",
- "description": "Skip the first `n` values from our `after` cursor, an alternative to cursor based pagination. May not be used with `last`.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "before",
- "description": "Read all values in the set before (above) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "after",
- "description": "Read all values in the set after (below) this cursor.",
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserActionItem`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserActionItemsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- },
- {
- "name": "condition",
- "description": "A condition to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionItemCondition",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "filter",
- "description": "A filter to be used in determining which values should be returned by the collection.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionItemFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserActionItemsConnection",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "ENUM",
- "name": "UserActionItemsOrderBy",
- "description": "Methods to use when ordering `UserActionItem`.",
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": [
- {
- "name": "NATURAL",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "DATE_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "DATE_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "VALUE_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "VALUE_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "STATUS_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "STATUS_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_BY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_BY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_BY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_BY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_AT_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_AT_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_AT_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_AT_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "USER_ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "USER_ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ACTION_ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ACTION_ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "USER_ACTION_ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "USER_ACTION_ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ACTION_ITEM_ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ACTION_ITEM_ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PRIMARY_KEY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PRIMARY_KEY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserActionItemCondition",
- "description": "A condition to be used against `UserActionItem` object types. All fields are tested for equality and combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": "Checks for equality with the object’s `id` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "date",
- "description": "Checks for equality with the object’s `date` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "value",
- "description": "Checks for equality with the object’s `value` field.",
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "status",
- "description": "Checks for equality with the object’s `status` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": "Checks for equality with the object’s `createdBy` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": "Checks for equality with the object’s `updatedBy` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": "Checks for equality with the object’s `createdAt` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": "Checks for equality with the object’s `updatedAt` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": "Checks for equality with the object’s `userId` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "actionId",
- "description": "Checks for equality with the object’s `actionId` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userActionId",
- "description": "Checks for equality with the object’s `userActionId` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "actionItemId",
- "description": "Checks for equality with the object’s `actionItemId` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserActionItemFilter",
- "description": "A filter to be used against `UserActionItem` object types. All fields are combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": "Filter by the object’s `id` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "date",
- "description": "Filter by the object’s `date` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "value",
- "description": "Filter by the object’s `value` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "JSONFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "status",
- "description": "Filter by the object’s `status` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": "Filter by the object’s `createdBy` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": "Filter by the object’s `updatedBy` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": "Filter by the object’s `createdAt` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": "Filter by the object’s `updatedAt` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": "Filter by the object’s `userId` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "actionId",
- "description": "Filter by the object’s `actionId` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userActionId",
- "description": "Filter by the object’s `userActionId` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "actionItemId",
- "description": "Filter by the object’s `actionItemId` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "and",
- "description": "Checks for all expressions in this list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionItemFilter",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "or",
- "description": "Checks for any expressions in this list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionItemFilter",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "not",
- "description": "Negates the expression.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionItemFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UserActionItemsConnection",
- "description": "A connection to a list of `UserActionItem` values.",
- "fields": [
- {
- "name": "nodes",
- "description": "A list of `UserActionItem` objects.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserActionItem",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "edges",
- "description": "A list of edges which contains the `UserActionItem` and cursor to aid in pagination.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserActionItemsEdge",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "pageInfo",
- "description": "Information to aid in pagination.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "PageInfo",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "totalCount",
- "description": "The count of *all* `UserActionItem` you could get from the connection.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UserActionItem",
- "description": null,
- "fields": [
- {
- "name": "id",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "date",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "value",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "status",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createdBy",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createdAt",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userId",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionId",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActionId",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionItemId",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "Reads a single `User` that is related to this `UserActionItem`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "action",
- "description": "Reads a single `Action` that is related to this `UserActionItem`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Action",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userAction",
- "description": "Reads a single `UserAction` that is related to this `UserActionItem`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserAction",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionItem",
- "description": "Reads a single `ActionItem` that is related to this `UserActionItem`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "ActionItem",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UserActionItemsEdge",
- "description": "A `UserActionItem` edge in the connection.",
- "fields": [
- {
- "name": "cursor",
- "description": "A cursor for use in pagination.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "node",
- "description": "The `UserActionItem` at the end of the edge.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserActionItem",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UserActionResultsEdge",
- "description": "A `UserActionResult` edge in the connection.",
- "fields": [
- {
- "name": "cursor",
- "description": "A cursor for use in pagination.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "node",
- "description": "The `UserActionResult` at the end of the edge.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserActionResult",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "ActionResultsEdge",
- "description": "A `ActionResult` edge in the connection.",
- "fields": [
- {
- "name": "cursor",
- "description": "A cursor for use in pagination.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "node",
- "description": "The `ActionResult` at the end of the edge.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "ActionResult",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "ENUM",
- "name": "UserActionsOrderBy",
- "description": "Methods to use when ordering `UserAction`.",
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": [
- {
- "name": "NATURAL",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ACTION_STARTED_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ACTION_STARTED_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "VERIFIED_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "VERIFIED_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "VERIFIED_DATE_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "VERIFIED_DATE_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "STATUS_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "STATUS_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "USER_RATING_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "USER_RATING_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "REJECTED_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "REJECTED_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "REJECTED_REASON_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "REJECTED_REASON_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_BY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_BY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_BY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_BY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_AT_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_AT_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_AT_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_AT_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "USER_ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "USER_ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "VERIFIER_ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "VERIFIER_ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ACTION_ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ACTION_ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PRIMARY_KEY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PRIMARY_KEY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserActionCondition",
- "description": "A condition to be used against `UserAction` object types. All fields are tested for equality and combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": "Checks for equality with the object’s `id` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "actionStarted",
- "description": "Checks for equality with the object’s `actionStarted` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "verified",
- "description": "Checks for equality with the object’s `verified` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "verifiedDate",
- "description": "Checks for equality with the object’s `verifiedDate` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "status",
- "description": "Checks for equality with the object’s `status` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userRating",
- "description": "Checks for equality with the object’s `userRating` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "rejected",
- "description": "Checks for equality with the object’s `rejected` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "rejectedReason",
- "description": "Checks for equality with the object’s `rejectedReason` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": "Checks for equality with the object’s `createdBy` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": "Checks for equality with the object’s `updatedBy` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": "Checks for equality with the object’s `createdAt` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": "Checks for equality with the object’s `updatedAt` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": "Checks for equality with the object’s `userId` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "verifierId",
- "description": "Checks for equality with the object’s `verifierId` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "actionId",
- "description": "Checks for equality with the object’s `actionId` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserActionFilter",
- "description": "A filter to be used against `UserAction` object types. All fields are combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": "Filter by the object’s `id` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "actionStarted",
- "description": "Filter by the object’s `actionStarted` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "verified",
- "description": "Filter by the object’s `verified` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "BooleanFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "verifiedDate",
- "description": "Filter by the object’s `verifiedDate` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "status",
- "description": "Filter by the object’s `status` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userRating",
- "description": "Filter by the object’s `userRating` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "IntFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "rejected",
- "description": "Filter by the object’s `rejected` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "BooleanFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "rejectedReason",
- "description": "Filter by the object’s `rejectedReason` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": "Filter by the object’s `createdBy` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": "Filter by the object’s `updatedBy` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": "Filter by the object’s `createdAt` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": "Filter by the object’s `updatedAt` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": "Filter by the object’s `userId` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "verifierId",
- "description": "Filter by the object’s `verifierId` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "actionId",
- "description": "Filter by the object’s `actionId` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "and",
- "description": "Checks for all expressions in this list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionFilter",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "or",
- "description": "Checks for any expressions in this list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionFilter",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "not",
- "description": "Negates the expression.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UserActionsConnection",
- "description": "A connection to a list of `UserAction` values.",
- "fields": [
- {
- "name": "nodes",
- "description": "A list of `UserAction` objects.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserAction",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "edges",
- "description": "A list of edges which contains the `UserAction` and cursor to aid in pagination.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserActionsEdge",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "pageInfo",
- "description": "Information to aid in pagination.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "PageInfo",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "totalCount",
- "description": "The count of *all* `UserAction` you could get from the connection.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UserActionsEdge",
- "description": "A `UserAction` edge in the connection.",
- "fields": [
- {
- "name": "cursor",
- "description": "A cursor for use in pagination.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "node",
- "description": "The `UserAction` at the end of the edge.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UserAction",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "ActionItemsEdge",
- "description": "A `ActionItem` edge in the connection.",
- "fields": [
- {
- "name": "cursor",
- "description": "A cursor for use in pagination.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "node",
- "description": "The `ActionItem` at the end of the edge.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "ActionItem",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "ENUM",
- "name": "GoalsOrderBy",
- "description": "Methods to use when ordering `Goal`.",
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": [
- {
- "name": "NATURAL",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "NAME_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "NAME_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "SHORT_NAME_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "SHORT_NAME_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ICON_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ICON_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "SUB_HEAD_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "SUB_HEAD_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "AUDIO_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "AUDIO_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "AUDIO_DURATION_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "AUDIO_DURATION_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "EXPLANATION_TITLE_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "EXPLANATION_TITLE_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "EXPLANATION_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "EXPLANATION_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_BY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_BY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_BY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_BY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_AT_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_AT_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_AT_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_AT_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PRIMARY_KEY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PRIMARY_KEY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "GoalCondition",
- "description": "A condition to be used against `Goal` object types. All fields are tested for equality and combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": "Checks for equality with the object’s `id` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "name",
- "description": "Checks for equality with the object’s `name` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "shortName",
- "description": "Checks for equality with the object’s `shortName` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "icon",
- "description": "Checks for equality with the object’s `icon` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "subHead",
- "description": "Checks for equality with the object’s `subHead` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "audio",
- "description": "Checks for equality with the object’s `audio` field.",
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "audioDuration",
- "description": "Checks for equality with the object’s `audioDuration` field.",
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "explanationTitle",
- "description": "Checks for equality with the object’s `explanationTitle` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "explanation",
- "description": "Checks for equality with the object’s `explanation` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": "Checks for equality with the object’s `createdBy` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": "Checks for equality with the object’s `updatedBy` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": "Checks for equality with the object’s `createdAt` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": "Checks for equality with the object’s `updatedAt` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "GoalFilter",
- "description": "A filter to be used against `Goal` object types. All fields are combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": "Filter by the object’s `id` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "name",
- "description": "Filter by the object’s `name` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "shortName",
- "description": "Filter by the object’s `shortName` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "icon",
- "description": "Filter by the object’s `icon` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "subHead",
- "description": "Filter by the object’s `subHead` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "audio",
- "description": "Filter by the object’s `audio` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "JSONFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "audioDuration",
- "description": "Filter by the object’s `audioDuration` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "BigFloatFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "explanationTitle",
- "description": "Filter by the object’s `explanationTitle` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "explanation",
- "description": "Filter by the object’s `explanation` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": "Filter by the object’s `createdBy` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": "Filter by the object’s `updatedBy` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": "Filter by the object’s `createdAt` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": "Filter by the object’s `updatedAt` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "and",
- "description": "Checks for all expressions in this list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "GoalFilter",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "or",
- "description": "Checks for any expressions in this list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "GoalFilter",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "not",
- "description": "Negates the expression.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "GoalFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "GoalsConnection",
- "description": "A connection to a list of `Goal` values.",
- "fields": [
- {
- "name": "nodes",
- "description": "A list of `Goal` objects.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "Goal",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "edges",
- "description": "A list of edges which contains the `Goal` and cursor to aid in pagination.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "GoalsEdge",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "pageInfo",
- "description": "Information to aid in pagination.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "PageInfo",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "totalCount",
- "description": "The count of *all* `Goal` you could get from the connection.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "Goal",
- "description": null,
- "fields": [
- {
- "name": "id",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "name",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "shortName",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "icon",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "subHead",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "audio",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "audioDuration",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "explanationTitle",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "explanation",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createdBy",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createdAt",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "GoalsEdge",
- "description": "A `Goal` edge in the connection.",
- "fields": [
- {
- "name": "cursor",
- "description": "A cursor for use in pagination.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "node",
- "description": "The `Goal` at the end of the edge.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "Goal",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "ENUM",
- "name": "LocationsOrderBy",
- "description": "Methods to use when ordering `Location`.",
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": [
- {
- "name": "NATURAL",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "GEO_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "GEO_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_BY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_BY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_BY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_BY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_AT_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_AT_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_AT_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_AT_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PRIMARY_KEY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PRIMARY_KEY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "LocationCondition",
- "description": "A condition to be used against `Location` object types. All fields are tested for equality and combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": "Checks for equality with the object’s `id` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "geo",
- "description": "Checks for equality with the object’s `geo` field.",
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": "Checks for equality with the object’s `createdBy` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": "Checks for equality with the object’s `updatedBy` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": "Checks for equality with the object’s `createdAt` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": "Checks for equality with the object’s `updatedAt` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "LocationFilter",
- "description": "A filter to be used against `Location` object types. All fields are combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": "Filter by the object’s `id` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "geo",
- "description": "Filter by the object’s `geo` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "GeometryInterfaceFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": "Filter by the object’s `createdBy` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": "Filter by the object’s `updatedBy` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": "Filter by the object’s `createdAt` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": "Filter by the object’s `updatedAt` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "and",
- "description": "Checks for all expressions in this list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "LocationFilter",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "or",
- "description": "Checks for any expressions in this list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "LocationFilter",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "not",
- "description": "Negates the expression.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "LocationFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "LocationsConnection",
- "description": "A connection to a list of `Location` values.",
- "fields": [
- {
- "name": "nodes",
- "description": "A list of `Location` objects.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "Location",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "edges",
- "description": "A list of edges which contains the `Location` and cursor to aid in pagination.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "LocationsEdge",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "pageInfo",
- "description": "Information to aid in pagination.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "PageInfo",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "totalCount",
- "description": "The count of *all* `Location` you could get from the connection.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "LocationsEdge",
- "description": "A `Location` edge in the connection.",
- "fields": [
- {
- "name": "cursor",
- "description": "A cursor for use in pagination.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "node",
- "description": "The `Location` at the end of the edge.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "Location",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "ENUM",
- "name": "NewsUpdatesOrderBy",
- "description": "Methods to use when ordering `NewsUpdate`.",
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": [
- {
- "name": "NATURAL",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "NAME_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "NAME_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "DESCRIPTION_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "DESCRIPTION_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PHOTO_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PHOTO_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_BY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_BY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_BY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_BY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_AT_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "CREATED_AT_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_AT_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UPDATED_AT_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PRIMARY_KEY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PRIMARY_KEY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "NewsUpdateCondition",
- "description": "A condition to be used against `NewsUpdate` object types. All fields are tested for equality and combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": "Checks for equality with the object’s `id` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "name",
- "description": "Checks for equality with the object’s `name` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "description",
- "description": "Checks for equality with the object’s `description` field.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "photo",
- "description": "Checks for equality with the object’s `photo` field.",
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": "Checks for equality with the object’s `createdBy` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": "Checks for equality with the object’s `updatedBy` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": "Checks for equality with the object’s `createdAt` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": "Checks for equality with the object’s `updatedAt` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "NewsUpdateFilter",
- "description": "A filter to be used against `NewsUpdate` object types. All fields are combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": "Filter by the object’s `id` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "name",
- "description": "Filter by the object’s `name` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "description",
- "description": "Filter by the object’s `description` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "StringFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "photo",
- "description": "Filter by the object’s `photo` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "JSONFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": "Filter by the object’s `createdBy` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": "Filter by the object’s `updatedBy` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": "Filter by the object’s `createdAt` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": "Filter by the object’s `updatedAt` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "DatetimeFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "and",
- "description": "Checks for all expressions in this list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "NewsUpdateFilter",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "or",
- "description": "Checks for any expressions in this list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "NewsUpdateFilter",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "not",
- "description": "Negates the expression.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "NewsUpdateFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "NewsUpdatesConnection",
- "description": "A connection to a list of `NewsUpdate` values.",
- "fields": [
- {
- "name": "nodes",
- "description": "A list of `NewsUpdate` objects.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "NewsUpdate",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "edges",
- "description": "A list of edges which contains the `NewsUpdate` and cursor to aid in pagination.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "NewsUpdatesEdge",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "pageInfo",
- "description": "Information to aid in pagination.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "PageInfo",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "totalCount",
- "description": "The count of *all* `NewsUpdate` you could get from the connection.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "NewsUpdate",
- "description": null,
- "fields": [
- {
- "name": "id",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "name",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "description",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "photo",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createdBy",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createdAt",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "NewsUpdatesEdge",
- "description": "A `NewsUpdate` edge in the connection.",
- "fields": [
- {
- "name": "cursor",
- "description": "A cursor for use in pagination.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "node",
- "description": "The `NewsUpdate` at the end of the edge.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "NewsUpdate",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "ENUM",
- "name": "UsersOrderBy",
- "description": "Methods to use when ordering `User`.",
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": [
- {
- "name": "NATURAL",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ID_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ID_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "TYPE_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "TYPE_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PRIMARY_KEY_ASC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "PRIMARY_KEY_DESC",
- "description": null,
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserCondition",
- "description": "A condition to be used against `User` object types. All fields are tested for equality and combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": "Checks for equality with the object’s `id` field.",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "type",
- "description": "Checks for equality with the object’s `type` field.",
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserFilter",
- "description": "A filter to be used against `User` object types. All fields are combined with a logical ‘and.’",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": "Filter by the object’s `id` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UUIDFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "type",
- "description": "Filter by the object’s `type` field.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "IntFilter",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "and",
- "description": "Checks for all expressions in this list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserFilter",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "or",
- "description": "Checks for any expressions in this list.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserFilter",
- "ofType": null
- }
- }
- },
- "defaultValue": null
- },
- {
- "name": "not",
- "description": "Negates the expression.",
- "type": {
- "kind": "INPUT_OBJECT",
- "name": "UserFilter",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UsersConnection",
- "description": "A connection to a list of `User` values.",
- "fields": [
- {
- "name": "nodes",
- "description": "A list of `User` objects.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "edges",
- "description": "A list of edges which contains the `User` and cursor to aid in pagination.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "UsersEdge",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "pageInfo",
- "description": "Information to aid in pagination.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "PageInfo",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "totalCount",
- "description": "The count of *all* `User` you could get from the connection.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UsersEdge",
- "description": "A `User` edge in the connection.",
- "fields": [
- {
- "name": "cursor",
- "description": "A cursor for use in pagination.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "Cursor",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "node",
- "description": "The `User` at the end of the edge.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "Metaschema",
- "description": null,
- "fields": [
- {
- "name": "tables",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "MetaschemaTable",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "MetaschemaTable",
- "description": null,
- "fields": [
- {
- "name": "name",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "fields",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "MetaschemaField",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "constraints",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "UNION",
- "name": "MetaschemaConstraint",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "foreignKeyConstraints",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "MetaschemaForeignKeyConstraint",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "primaryKeyConstraints",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "MetaschemaPrimaryKeyConstraint",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "uniqueConstraints",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "MetaschemaUniqueConstraint",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "checkConstraints",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "MetaschemaCheckConstraint",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "exclusionConstraints",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "MetaschemaExclusionConstraint",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "MetaschemaField",
- "description": null,
- "fields": [
- {
- "name": "name",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "type",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "MetaschemaType",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "MetaschemaType",
- "description": null,
- "fields": [
- {
- "name": "name",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "UNION",
- "name": "MetaschemaConstraint",
- "description": null,
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": [
- {
- "kind": "OBJECT",
- "name": "MetaschemaForeignKeyConstraint",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "MetaschemaUniqueConstraint",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "MetaschemaPrimaryKeyConstraint",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "MetaschemaCheckConstraint",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "MetaschemaExclusionConstraint",
- "ofType": null
- }
- ]
- },
- {
- "kind": "OBJECT",
- "name": "MetaschemaForeignKeyConstraint",
- "description": null,
- "fields": [
- {
- "name": "name",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "fields",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "MetaschemaField",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "refTable",
- "description": null,
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "MetaschemaTable",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "refFields",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "MetaschemaField",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "MetaschemaUniqueConstraint",
- "description": null,
- "fields": [
- {
- "name": "name",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "fields",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "MetaschemaField",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "MetaschemaPrimaryKeyConstraint",
- "description": null,
- "fields": [
- {
- "name": "name",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "fields",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "MetaschemaField",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "MetaschemaCheckConstraint",
- "description": null,
- "fields": [
- {
- "name": "name",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "fields",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "MetaschemaField",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "MetaschemaExclusionConstraint",
- "description": null,
- "fields": [
- {
- "name": "name",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "fields",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "MetaschemaField",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "Mutation",
- "description": "The root mutation type which contains root level fields which mutate data.",
- "fields": [
- {
- "name": "createActionItem",
- "description": "Creates a single `ActionItem`.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "CreateActionItemInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "CreateActionItemPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createActionResult",
- "description": "Creates a single `ActionResult`.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "CreateActionResultInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "CreateActionResultPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createAction",
- "description": "Creates a single `Action`.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "CreateActionInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "CreateActionPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createGoal",
- "description": "Creates a single `Goal`.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "CreateGoalInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "CreateGoalPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createLocation",
- "description": "Creates a single `Location`.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "CreateLocationInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "CreateLocationPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createNewsUpdate",
- "description": "Creates a single `NewsUpdate`.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "CreateNewsUpdateInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "CreateNewsUpdatePayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createUserActionItem",
- "description": "Creates a single `UserActionItem`.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "CreateUserActionItemInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "CreateUserActionItemPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createUserActionResult",
- "description": "Creates a single `UserActionResult`.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "CreateUserActionResultInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "CreateUserActionResultPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createUserAction",
- "description": "Creates a single `UserAction`.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "CreateUserActionInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "CreateUserActionPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createUserCharacteristic",
- "description": "Creates a single `UserCharacteristic`.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "CreateUserCharacteristicInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "CreateUserCharacteristicPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createUserConnection",
- "description": "Creates a single `UserConnection`.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "CreateUserConnectionInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "CreateUserConnectionPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createUserContact",
- "description": "Creates a single `UserContact`.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "CreateUserContactInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "CreateUserContactPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createUserEmail",
- "description": "Creates a single `UserEmail`.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "CreateUserEmailInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "CreateUserEmailPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createUserProfile",
- "description": "Creates a single `UserProfile`.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "CreateUserProfileInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "CreateUserProfilePayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createUserSetting",
- "description": "Creates a single `UserSetting`.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "CreateUserSettingInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "CreateUserSettingPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "createUser",
- "description": "Creates a single `User`.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "CreateUserInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "CreateUserPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updateActionItem",
- "description": "Updates a single `ActionItem` using a unique key and a patch.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UpdateActionItemInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UpdateActionItemPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updateActionResult",
- "description": "Updates a single `ActionResult` using a unique key and a patch.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UpdateActionResultInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UpdateActionResultPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updateAction",
- "description": "Updates a single `Action` using a unique key and a patch.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UpdateActionInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UpdateActionPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updateGoal",
- "description": "Updates a single `Goal` using a unique key and a patch.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UpdateGoalInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UpdateGoalPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updateLocation",
- "description": "Updates a single `Location` using a unique key and a patch.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UpdateLocationInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UpdateLocationPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updateNewsUpdate",
- "description": "Updates a single `NewsUpdate` using a unique key and a patch.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UpdateNewsUpdateInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UpdateNewsUpdatePayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updateUserActionItem",
- "description": "Updates a single `UserActionItem` using a unique key and a patch.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UpdateUserActionItemInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UpdateUserActionItemPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updateUserActionResult",
- "description": "Updates a single `UserActionResult` using a unique key and a patch.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UpdateUserActionResultInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UpdateUserActionResultPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updateUserAction",
- "description": "Updates a single `UserAction` using a unique key and a patch.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UpdateUserActionInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UpdateUserActionPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updateUserCharacteristic",
- "description": "Updates a single `UserCharacteristic` using a unique key and a patch.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UpdateUserCharacteristicInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UpdateUserCharacteristicPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updateUserCharacteristicByUserId",
- "description": "Updates a single `UserCharacteristic` using a unique key and a patch.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UpdateUserCharacteristicByUserIdInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UpdateUserCharacteristicPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updateUserConnection",
- "description": "Updates a single `UserConnection` using a unique key and a patch.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UpdateUserConnectionInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UpdateUserConnectionPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updateUserContact",
- "description": "Updates a single `UserContact` using a unique key and a patch.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UpdateUserContactInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UpdateUserContactPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updateUserEmail",
- "description": "Updates a single `UserEmail` using a unique key and a patch.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UpdateUserEmailInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UpdateUserEmailPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updateUserEmailByEmail",
- "description": "Updates a single `UserEmail` using a unique key and a patch.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UpdateUserEmailByEmailInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UpdateUserEmailPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updateUserProfile",
- "description": "Updates a single `UserProfile` using a unique key and a patch.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UpdateUserProfileInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UpdateUserProfilePayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updateUserProfileByUserId",
- "description": "Updates a single `UserProfile` using a unique key and a patch.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UpdateUserProfileByUserIdInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UpdateUserProfilePayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updateUserSetting",
- "description": "Updates a single `UserSetting` using a unique key and a patch.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UpdateUserSettingInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UpdateUserSettingPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updateUserSettingByUserId",
- "description": "Updates a single `UserSetting` using a unique key and a patch.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UpdateUserSettingByUserIdInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UpdateUserSettingPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "updateUser",
- "description": "Updates a single `User` using a unique key and a patch.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UpdateUserInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UpdateUserPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deleteActionItem",
- "description": "Deletes a single `ActionItem` using a unique key.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "DeleteActionItemInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "DeleteActionItemPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deleteActionResult",
- "description": "Deletes a single `ActionResult` using a unique key.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "DeleteActionResultInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "DeleteActionResultPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deleteAction",
- "description": "Deletes a single `Action` using a unique key.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "DeleteActionInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "DeleteActionPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deleteGoal",
- "description": "Deletes a single `Goal` using a unique key.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "DeleteGoalInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "DeleteGoalPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deleteLocation",
- "description": "Deletes a single `Location` using a unique key.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "DeleteLocationInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "DeleteLocationPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deleteNewsUpdate",
- "description": "Deletes a single `NewsUpdate` using a unique key.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "DeleteNewsUpdateInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "DeleteNewsUpdatePayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deleteUserActionItem",
- "description": "Deletes a single `UserActionItem` using a unique key.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "DeleteUserActionItemInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "DeleteUserActionItemPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deleteUserActionResult",
- "description": "Deletes a single `UserActionResult` using a unique key.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "DeleteUserActionResultInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "DeleteUserActionResultPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deleteUserAction",
- "description": "Deletes a single `UserAction` using a unique key.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "DeleteUserActionInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "DeleteUserActionPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deleteUserCharacteristic",
- "description": "Deletes a single `UserCharacteristic` using a unique key.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "DeleteUserCharacteristicInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "DeleteUserCharacteristicPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deleteUserCharacteristicByUserId",
- "description": "Deletes a single `UserCharacteristic` using a unique key.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "DeleteUserCharacteristicByUserIdInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "DeleteUserCharacteristicPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deleteUserConnection",
- "description": "Deletes a single `UserConnection` using a unique key.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "DeleteUserConnectionInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "DeleteUserConnectionPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deleteUserContact",
- "description": "Deletes a single `UserContact` using a unique key.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "DeleteUserContactInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "DeleteUserContactPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deleteUserEmail",
- "description": "Deletes a single `UserEmail` using a unique key.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "DeleteUserEmailInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "DeleteUserEmailPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deleteUserEmailByEmail",
- "description": "Deletes a single `UserEmail` using a unique key.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "DeleteUserEmailByEmailInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "DeleteUserEmailPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deleteUserProfile",
- "description": "Deletes a single `UserProfile` using a unique key.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "DeleteUserProfileInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "DeleteUserProfilePayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deleteUserProfileByUserId",
- "description": "Deletes a single `UserProfile` using a unique key.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "DeleteUserProfileByUserIdInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "DeleteUserProfilePayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deleteUserSetting",
- "description": "Deletes a single `UserSetting` using a unique key.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "DeleteUserSettingInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "DeleteUserSettingPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deleteUserSettingByUserId",
- "description": "Deletes a single `UserSetting` using a unique key.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "DeleteUserSettingByUserIdInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "DeleteUserSettingPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deleteUser",
- "description": "Deletes a single `User` using a unique key.",
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "DeleteUserInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "DeleteUserPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "login",
- "description": null,
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "LoginInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "LoginPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "register",
- "description": null,
- "args": [
- {
- "name": "input",
- "description": "The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "RegisterInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "RegisterPayload",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "CreateActionItemInput",
- "description": "All input for the create `ActionItem` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "actionItem",
- "description": "The `ActionItem` to be created by this mutation.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "ActionItemInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "ActionItemInput",
- "description": "An input for mutations affecting `ActionItem`",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "name",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "description",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "link",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "type",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "itemOrder",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "requiredItem",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notificationText",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "embedCode",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "actionId",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "ownerId",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "CreateActionItemPayload",
- "description": "The output of our create `ActionItem` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionItem",
- "description": "The `ActionItem` that was created by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "ActionItem",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "action",
- "description": "Reads a single `Action` that is related to this `ActionItem`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Action",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "owner",
- "description": "Reads a single `User` that is related to this `ActionItem`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionItemEdge",
- "description": "An edge for our `ActionItem`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `ActionItem`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "ActionItemsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "ActionItemsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "CreateActionResultInput",
- "description": "All input for the create `ActionResult` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "actionResult",
- "description": "The `ActionResult` to be created by this mutation.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "ActionResultInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "ActionResultInput",
- "description": "An input for mutations affecting `ActionResult`",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "actionId",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "ownerId",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "CreateActionResultPayload",
- "description": "The output of our create `ActionResult` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionResult",
- "description": "The `ActionResult` that was created by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "ActionResult",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "action",
- "description": "Reads a single `Action` that is related to this `ActionResult`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Action",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "owner",
- "description": "Reads a single `User` that is related to this `ActionResult`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionResultEdge",
- "description": "An edge for our `ActionResult`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `ActionResult`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "ActionResultsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "ActionResultsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "CreateActionInput",
- "description": "All input for the create `Action` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "action",
- "description": "The `Action` to be created by this mutation.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "ActionInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "ActionInput",
- "description": "An input for mutations affecting `Action`",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "name",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "photo",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "title",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "description",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "locationRadius",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "url",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "timeRequired",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "startDate",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "endDate",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "approved",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "rewardAmount",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "activityFeedText",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "callToAction",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "completedActionText",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "descriptionHeader",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "tags",
- "description": null,
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "locationId",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "ownerId",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "photoUpload",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Upload",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "SCALAR",
- "name": "Upload",
- "description": "The `Upload` scalar type represents a file upload.",
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "CreateActionPayload",
- "description": "The output of our create `Action` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "action",
- "description": "The `Action` that was created by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Action",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "location",
- "description": "Reads a single `Location` that is related to this `Action`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Location",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "owner",
- "description": "Reads a single `User` that is related to this `Action`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionEdge",
- "description": "An edge for our `Action`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `Action`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "ActionsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "ActionsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "CreateGoalInput",
- "description": "All input for the create `Goal` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "goal",
- "description": "The `Goal` to be created by this mutation.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "GoalInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "GoalInput",
- "description": "An input for mutations affecting `Goal`",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "name",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "shortName",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "icon",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "subHead",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "audio",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "audioDuration",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "explanationTitle",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "explanation",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "audioUpload",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Upload",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "CreateGoalPayload",
- "description": "The output of our create `Goal` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "goal",
- "description": "The `Goal` that was created by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Goal",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "goalEdge",
- "description": "An edge for our `Goal`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `Goal`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "GoalsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "GoalsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "CreateLocationInput",
- "description": "All input for the create `Location` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "location",
- "description": "The `Location` to be created by this mutation.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "LocationInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "LocationInput",
- "description": "An input for mutations affecting `Location`",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "geo",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "CreateLocationPayload",
- "description": "The output of our create `Location` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "location",
- "description": "The `Location` that was created by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Location",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "locationEdge",
- "description": "An edge for our `Location`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `Location`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "LocationsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "LocationsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "CreateNewsUpdateInput",
- "description": "All input for the create `NewsUpdate` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "newsUpdate",
- "description": "The `NewsUpdate` to be created by this mutation.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "NewsUpdateInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "NewsUpdateInput",
- "description": "An input for mutations affecting `NewsUpdate`",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "name",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "description",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "photo",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "photoUpload",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Upload",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "CreateNewsUpdatePayload",
- "description": "The output of our create `NewsUpdate` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "newsUpdate",
- "description": "The `NewsUpdate` that was created by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "NewsUpdate",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "newsUpdateEdge",
- "description": "An edge for our `NewsUpdate`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `NewsUpdate`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "NewsUpdatesOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "NewsUpdatesEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "CreateUserActionItemInput",
- "description": "All input for the create `UserActionItem` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userActionItem",
- "description": "The `UserActionItem` to be created by this mutation.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionItemInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserActionItemInput",
- "description": "An input for mutations affecting `UserActionItem`",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "date",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "value",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "status",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "actionId",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "userActionId",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "actionItemId",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "CreateUserActionItemPayload",
- "description": "The output of our create `UserActionItem` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActionItem",
- "description": "The `UserActionItem` that was created by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserActionItem",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "Reads a single `User` that is related to this `UserActionItem`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "action",
- "description": "Reads a single `Action` that is related to this `UserActionItem`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Action",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userAction",
- "description": "Reads a single `UserAction` that is related to this `UserActionItem`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserAction",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionItem",
- "description": "Reads a single `ActionItem` that is related to this `UserActionItem`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "ActionItem",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActionItemEdge",
- "description": "An edge for our `UserActionItem`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserActionItem`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserActionItemsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserActionItemsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "CreateUserActionResultInput",
- "description": "All input for the create `UserActionResult` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userActionResult",
- "description": "The `UserActionResult` to be created by this mutation.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionResultInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserActionResultInput",
- "description": "An input for mutations affecting `UserActionResult`",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "date",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "value",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "actionId",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "userActionId",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "actionResultId",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "CreateUserActionResultPayload",
- "description": "The output of our create `UserActionResult` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActionResult",
- "description": "The `UserActionResult` that was created by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserActionResult",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "Reads a single `User` that is related to this `UserActionResult`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "action",
- "description": "Reads a single `Action` that is related to this `UserActionResult`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Action",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userAction",
- "description": "Reads a single `UserAction` that is related to this `UserActionResult`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserAction",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionResult",
- "description": "Reads a single `ActionResult` that is related to this `UserActionResult`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "ActionResult",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActionResultEdge",
- "description": "An edge for our `UserActionResult`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserActionResult`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserActionResultsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserActionResultsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "CreateUserActionInput",
- "description": "All input for the create `UserAction` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userAction",
- "description": "The `UserAction` to be created by this mutation.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserActionInput",
- "description": "An input for mutations affecting `UserAction`",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "actionStarted",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "verified",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "verifiedDate",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "status",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userRating",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "rejected",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "rejectedReason",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "verifierId",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "actionId",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "CreateUserActionPayload",
- "description": "The output of our create `UserAction` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userAction",
- "description": "The `UserAction` that was created by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserAction",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "Reads a single `User` that is related to this `UserAction`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "verifier",
- "description": "Reads a single `User` that is related to this `UserAction`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "action",
- "description": "Reads a single `Action` that is related to this `UserAction`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Action",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActionEdge",
- "description": "An edge for our `UserAction`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserAction`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserActionsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserActionsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "CreateUserCharacteristicInput",
- "description": "All input for the create `UserCharacteristic` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userCharacteristic",
- "description": "The `UserCharacteristic` to be created by this mutation.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserCharacteristicInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserCharacteristicInput",
- "description": "An input for mutations affecting `UserCharacteristic`",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "income",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "gender",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "race",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "age",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "dob",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Date",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "education",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "homeOwnership",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "treeHuggerLevel",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "freeTime",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "researchToDoer",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "CreateUserCharacteristicPayload",
- "description": "The output of our create `UserCharacteristic` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userCharacteristic",
- "description": "The `UserCharacteristic` that was created by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserCharacteristic",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "Reads a single `User` that is related to this `UserCharacteristic`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userCharacteristicEdge",
- "description": "An edge for our `UserCharacteristic`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserCharacteristic`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserCharacteristicsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserCharacteristicsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "CreateUserConnectionInput",
- "description": "All input for the create `UserConnection` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userConnection",
- "description": "The `UserConnection` to be created by this mutation.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserConnectionInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserConnectionInput",
- "description": "An input for mutations affecting `UserConnection`",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "accepted",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "requesterId",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "responderId",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "CreateUserConnectionPayload",
- "description": "The output of our create `UserConnection` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userConnection",
- "description": "The `UserConnection` that was created by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserConnection",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "requester",
- "description": "Reads a single `User` that is related to this `UserConnection`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "responder",
- "description": "Reads a single `User` that is related to this `UserConnection`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userConnectionEdge",
- "description": "An edge for our `UserConnection`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserConnection`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserConnectionsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserConnectionsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "CreateUserContactInput",
- "description": "All input for the create `UserContact` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userContact",
- "description": "The `UserContact` to be created by this mutation.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserContactInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserContactInput",
- "description": "An input for mutations affecting `UserContact`",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "vcf",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "fullName",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "emails",
- "description": null,
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "device",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "CreateUserContactPayload",
- "description": "The output of our create `UserContact` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userContact",
- "description": "The `UserContact` that was created by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserContact",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "Reads a single `User` that is related to this `UserContact`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userContactEdge",
- "description": "An edge for our `UserContact`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserContact`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserContactsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserContactsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "CreateUserEmailInput",
- "description": "All input for the create `UserEmail` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userEmail",
- "description": "The `UserEmail` to be created by this mutation.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserEmailInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserEmailInput",
- "description": "An input for mutations affecting `UserEmail`",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "email",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "isVerified",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "CreateUserEmailPayload",
- "description": "The output of our create `UserEmail` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userEmail",
- "description": "The `UserEmail` that was created by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserEmail",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "Reads a single `User` that is related to this `UserEmail`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userEmailEdge",
- "description": "An edge for our `UserEmail`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserEmail`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserEmailsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserEmailsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "CreateUserProfileInput",
- "description": "All input for the create `UserProfile` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userProfile",
- "description": "The `UserProfile` to be created by this mutation.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserProfileInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserProfileInput",
- "description": "An input for mutations affecting `UserProfile`",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "profilePicture",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "bio",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "reputation",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "firstName",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "lastName",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "tags",
- "description": null,
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "profilePictureUpload",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Upload",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "CreateUserProfilePayload",
- "description": "The output of our create `UserProfile` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userProfile",
- "description": "The `UserProfile` that was created by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserProfile",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "Reads a single `User` that is related to this `UserProfile`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userProfileEdge",
- "description": "An edge for our `UserProfile`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserProfile`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserProfilesOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserProfilesEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "CreateUserSettingInput",
- "description": "All input for the create `UserSetting` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userSetting",
- "description": "The `UserSetting` to be created by this mutation.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserSettingInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserSettingInput",
- "description": "An input for mutations affecting `UserSetting`",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "searchRadius",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "zip",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "geo",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "CreateUserSettingPayload",
- "description": "The output of our create `UserSetting` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userSetting",
- "description": "The `UserSetting` that was created by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserSetting",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "Reads a single `User` that is related to this `UserSetting`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userSettingEdge",
- "description": "An edge for our `UserSetting`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserSetting`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserSettingsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserSettingsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "CreateUserInput",
- "description": "All input for the create `User` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "user",
- "description": "The `User` to be created by this mutation.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserInput",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserInput",
- "description": "An input for mutations affecting `User`",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "type",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "CreateUserPayload",
- "description": "The output of our create `User` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "The `User` that was created by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userEdge",
- "description": "An edge for our `User`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `User`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UsersOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UsersEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UpdateActionItemInput",
- "description": "All input for the `updateActionItem` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "patch",
- "description": "An object where the defined keys will be set on the `ActionItem` being updated.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "ActionItemPatch",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "ActionItemPatch",
- "description": "Represents an update to a `ActionItem`. Fields that are set will be updated.",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "name",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "description",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "link",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "type",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "itemOrder",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "requiredItem",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "notificationText",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "embedCode",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "actionId",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "ownerId",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UpdateActionItemPayload",
- "description": "The output of our update `ActionItem` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionItem",
- "description": "The `ActionItem` that was updated by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "ActionItem",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "action",
- "description": "Reads a single `Action` that is related to this `ActionItem`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Action",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "owner",
- "description": "Reads a single `User` that is related to this `ActionItem`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionItemEdge",
- "description": "An edge for our `ActionItem`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `ActionItem`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "ActionItemsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "ActionItemsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UpdateActionResultInput",
- "description": "All input for the `updateActionResult` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "patch",
- "description": "An object where the defined keys will be set on the `ActionResult` being updated.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "ActionResultPatch",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "ActionResultPatch",
- "description": "Represents an update to a `ActionResult`. Fields that are set will be updated.",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "actionId",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "ownerId",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UpdateActionResultPayload",
- "description": "The output of our update `ActionResult` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionResult",
- "description": "The `ActionResult` that was updated by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "ActionResult",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "action",
- "description": "Reads a single `Action` that is related to this `ActionResult`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Action",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "owner",
- "description": "Reads a single `User` that is related to this `ActionResult`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionResultEdge",
- "description": "An edge for our `ActionResult`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `ActionResult`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "ActionResultsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "ActionResultsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UpdateActionInput",
- "description": "All input for the `updateAction` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "patch",
- "description": "An object where the defined keys will be set on the `Action` being updated.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "ActionPatch",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "ActionPatch",
- "description": "Represents an update to a `Action`. Fields that are set will be updated.",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "name",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "photo",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "title",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "description",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "locationRadius",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "url",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "timeRequired",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "startDate",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "endDate",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "approved",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "rewardAmount",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "activityFeedText",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "callToAction",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "completedActionText",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "descriptionHeader",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "tags",
- "description": null,
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "locationId",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "ownerId",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "photoUpload",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Upload",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UpdateActionPayload",
- "description": "The output of our update `Action` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "action",
- "description": "The `Action` that was updated by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Action",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "location",
- "description": "Reads a single `Location` that is related to this `Action`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Location",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "owner",
- "description": "Reads a single `User` that is related to this `Action`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionEdge",
- "description": "An edge for our `Action`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `Action`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "ActionsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "ActionsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UpdateGoalInput",
- "description": "All input for the `updateGoal` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "patch",
- "description": "An object where the defined keys will be set on the `Goal` being updated.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "GoalPatch",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "GoalPatch",
- "description": "Represents an update to a `Goal`. Fields that are set will be updated.",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "name",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "shortName",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "icon",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "subHead",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "audio",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "audioDuration",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "explanationTitle",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "explanation",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "audioUpload",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Upload",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UpdateGoalPayload",
- "description": "The output of our update `Goal` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "goal",
- "description": "The `Goal` that was updated by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Goal",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "goalEdge",
- "description": "An edge for our `Goal`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `Goal`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "GoalsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "GoalsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UpdateLocationInput",
- "description": "All input for the `updateLocation` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "patch",
- "description": "An object where the defined keys will be set on the `Location` being updated.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "LocationPatch",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "LocationPatch",
- "description": "Represents an update to a `Location`. Fields that are set will be updated.",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "geo",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UpdateLocationPayload",
- "description": "The output of our update `Location` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "location",
- "description": "The `Location` that was updated by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Location",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "locationEdge",
- "description": "An edge for our `Location`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `Location`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "LocationsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "LocationsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UpdateNewsUpdateInput",
- "description": "All input for the `updateNewsUpdate` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "patch",
- "description": "An object where the defined keys will be set on the `NewsUpdate` being updated.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "NewsUpdatePatch",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "NewsUpdatePatch",
- "description": "Represents an update to a `NewsUpdate`. Fields that are set will be updated.",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "name",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "description",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "photo",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "photoUpload",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Upload",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UpdateNewsUpdatePayload",
- "description": "The output of our update `NewsUpdate` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "newsUpdate",
- "description": "The `NewsUpdate` that was updated by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "NewsUpdate",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "newsUpdateEdge",
- "description": "An edge for our `NewsUpdate`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `NewsUpdate`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "NewsUpdatesOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "NewsUpdatesEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UpdateUserActionItemInput",
- "description": "All input for the `updateUserActionItem` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "patch",
- "description": "An object where the defined keys will be set on the `UserActionItem` being updated.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionItemPatch",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserActionItemPatch",
- "description": "Represents an update to a `UserActionItem`. Fields that are set will be updated.",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "date",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "value",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "status",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "actionId",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userActionId",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "actionItemId",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UpdateUserActionItemPayload",
- "description": "The output of our update `UserActionItem` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActionItem",
- "description": "The `UserActionItem` that was updated by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserActionItem",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "Reads a single `User` that is related to this `UserActionItem`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "action",
- "description": "Reads a single `Action` that is related to this `UserActionItem`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Action",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userAction",
- "description": "Reads a single `UserAction` that is related to this `UserActionItem`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserAction",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionItem",
- "description": "Reads a single `ActionItem` that is related to this `UserActionItem`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "ActionItem",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActionItemEdge",
- "description": "An edge for our `UserActionItem`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserActionItem`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserActionItemsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserActionItemsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UpdateUserActionResultInput",
- "description": "All input for the `updateUserActionResult` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "patch",
- "description": "An object where the defined keys will be set on the `UserActionResult` being updated.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionResultPatch",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserActionResultPatch",
- "description": "Represents an update to a `UserActionResult`. Fields that are set will be updated.",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "date",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "value",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "actionId",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userActionId",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "actionResultId",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UpdateUserActionResultPayload",
- "description": "The output of our update `UserActionResult` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActionResult",
- "description": "The `UserActionResult` that was updated by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserActionResult",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "Reads a single `User` that is related to this `UserActionResult`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "action",
- "description": "Reads a single `Action` that is related to this `UserActionResult`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Action",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userAction",
- "description": "Reads a single `UserAction` that is related to this `UserActionResult`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserAction",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionResult",
- "description": "Reads a single `ActionResult` that is related to this `UserActionResult`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "ActionResult",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActionResultEdge",
- "description": "An edge for our `UserActionResult`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserActionResult`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserActionResultsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserActionResultsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UpdateUserActionInput",
- "description": "All input for the `updateUserAction` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "patch",
- "description": "An object where the defined keys will be set on the `UserAction` being updated.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserActionPatch",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserActionPatch",
- "description": "Represents an update to a `UserAction`. Fields that are set will be updated.",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "actionStarted",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "verified",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "verifiedDate",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "status",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userRating",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "rejected",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "rejectedReason",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "verifierId",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "actionId",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UpdateUserActionPayload",
- "description": "The output of our update `UserAction` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userAction",
- "description": "The `UserAction` that was updated by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserAction",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "Reads a single `User` that is related to this `UserAction`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "verifier",
- "description": "Reads a single `User` that is related to this `UserAction`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "action",
- "description": "Reads a single `Action` that is related to this `UserAction`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Action",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActionEdge",
- "description": "An edge for our `UserAction`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserAction`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserActionsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserActionsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UpdateUserCharacteristicInput",
- "description": "All input for the `updateUserCharacteristic` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "patch",
- "description": "An object where the defined keys will be set on the `UserCharacteristic` being updated.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserCharacteristicPatch",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserCharacteristicPatch",
- "description": "Represents an update to a `UserCharacteristic`. Fields that are set will be updated.",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "income",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "gender",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "race",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "age",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "dob",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Date",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "education",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "homeOwnership",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "treeHuggerLevel",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "freeTime",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "researchToDoer",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UpdateUserCharacteristicPayload",
- "description": "The output of our update `UserCharacteristic` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userCharacteristic",
- "description": "The `UserCharacteristic` that was updated by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserCharacteristic",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "Reads a single `User` that is related to this `UserCharacteristic`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userCharacteristicEdge",
- "description": "An edge for our `UserCharacteristic`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserCharacteristic`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserCharacteristicsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserCharacteristicsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UpdateUserCharacteristicByUserIdInput",
- "description": "All input for the `updateUserCharacteristicByUserId` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "patch",
- "description": "An object where the defined keys will be set on the `UserCharacteristic` being updated.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserCharacteristicPatch",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UpdateUserConnectionInput",
- "description": "All input for the `updateUserConnection` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "patch",
- "description": "An object where the defined keys will be set on the `UserConnection` being updated.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserConnectionPatch",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserConnectionPatch",
- "description": "Represents an update to a `UserConnection`. Fields that are set will be updated.",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "accepted",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "requesterId",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "responderId",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UpdateUserConnectionPayload",
- "description": "The output of our update `UserConnection` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userConnection",
- "description": "The `UserConnection` that was updated by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserConnection",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "requester",
- "description": "Reads a single `User` that is related to this `UserConnection`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "responder",
- "description": "Reads a single `User` that is related to this `UserConnection`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userConnectionEdge",
- "description": "An edge for our `UserConnection`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserConnection`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserConnectionsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserConnectionsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UpdateUserContactInput",
- "description": "All input for the `updateUserContact` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "patch",
- "description": "An object where the defined keys will be set on the `UserContact` being updated.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserContactPatch",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserContactPatch",
- "description": "Represents an update to a `UserContact`. Fields that are set will be updated.",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "vcf",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "fullName",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "emails",
- "description": null,
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "device",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UpdateUserContactPayload",
- "description": "The output of our update `UserContact` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userContact",
- "description": "The `UserContact` that was updated by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserContact",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "Reads a single `User` that is related to this `UserContact`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userContactEdge",
- "description": "An edge for our `UserContact`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserContact`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserContactsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserContactsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UpdateUserEmailInput",
- "description": "All input for the `updateUserEmail` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "patch",
- "description": "An object where the defined keys will be set on the `UserEmail` being updated.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserEmailPatch",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserEmailPatch",
- "description": "Represents an update to a `UserEmail`. Fields that are set will be updated.",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "email",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "isVerified",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UpdateUserEmailPayload",
- "description": "The output of our update `UserEmail` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userEmail",
- "description": "The `UserEmail` that was updated by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserEmail",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "Reads a single `User` that is related to this `UserEmail`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userEmailEdge",
- "description": "An edge for our `UserEmail`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserEmail`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserEmailsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserEmailsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UpdateUserEmailByEmailInput",
- "description": "All input for the `updateUserEmailByEmail` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "patch",
- "description": "An object where the defined keys will be set on the `UserEmail` being updated.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserEmailPatch",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "email",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UpdateUserProfileInput",
- "description": "All input for the `updateUserProfile` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "patch",
- "description": "An object where the defined keys will be set on the `UserProfile` being updated.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserProfilePatch",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserProfilePatch",
- "description": "Represents an update to a `UserProfile`. Fields that are set will be updated.",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "profilePicture",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "JSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "bio",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "reputation",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "firstName",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "lastName",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "tags",
- "description": null,
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "profilePictureUpload",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Upload",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UpdateUserProfilePayload",
- "description": "The output of our update `UserProfile` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userProfile",
- "description": "The `UserProfile` that was updated by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserProfile",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "Reads a single `User` that is related to this `UserProfile`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userProfileEdge",
- "description": "An edge for our `UserProfile`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserProfile`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserProfilesOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserProfilesEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UpdateUserProfileByUserIdInput",
- "description": "All input for the `updateUserProfileByUserId` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "patch",
- "description": "An object where the defined keys will be set on the `UserProfile` being updated.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserProfilePatch",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UpdateUserSettingInput",
- "description": "All input for the `updateUserSetting` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "patch",
- "description": "An object where the defined keys will be set on the `UserSetting` being updated.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserSettingPatch",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserSettingPatch",
- "description": "Represents an update to a `UserSetting`. Fields that are set will be updated.",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "searchRadius",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "BigFloat",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "zip",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "geo",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedBy",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "createdAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "updatedAt",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UpdateUserSettingPayload",
- "description": "The output of our update `UserSetting` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userSetting",
- "description": "The `UserSetting` that was updated by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserSetting",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "Reads a single `User` that is related to this `UserSetting`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userSettingEdge",
- "description": "An edge for our `UserSetting`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserSetting`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserSettingsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserSettingsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UpdateUserSettingByUserIdInput",
- "description": "All input for the `updateUserSettingByUserId` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "patch",
- "description": "An object where the defined keys will be set on the `UserSetting` being updated.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserSettingPatch",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UpdateUserInput",
- "description": "All input for the `updateUser` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "patch",
- "description": "An object where the defined keys will be set on the `User` being updated.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "INPUT_OBJECT",
- "name": "UserPatch",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "UserPatch",
- "description": "Represents an update to a `User`. Fields that are set will be updated.",
- "fields": null,
- "inputFields": [
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "type",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "UpdateUserPayload",
- "description": "The output of our update `User` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "The `User` that was updated by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userEdge",
- "description": "An edge for our `User`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `User`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UsersOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UsersEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "DeleteActionItemInput",
- "description": "All input for the `deleteActionItem` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "DeleteActionItemPayload",
- "description": "The output of our delete `ActionItem` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionItem",
- "description": "The `ActionItem` that was deleted by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "ActionItem",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deletedActionItemNodeId",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "ID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "action",
- "description": "Reads a single `Action` that is related to this `ActionItem`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Action",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "owner",
- "description": "Reads a single `User` that is related to this `ActionItem`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionItemEdge",
- "description": "An edge for our `ActionItem`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `ActionItem`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "ActionItemsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "ActionItemsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "SCALAR",
- "name": "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.",
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "DeleteActionResultInput",
- "description": "All input for the `deleteActionResult` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "DeleteActionResultPayload",
- "description": "The output of our delete `ActionResult` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionResult",
- "description": "The `ActionResult` that was deleted by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "ActionResult",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deletedActionResultNodeId",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "ID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "action",
- "description": "Reads a single `Action` that is related to this `ActionResult`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Action",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "owner",
- "description": "Reads a single `User` that is related to this `ActionResult`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionResultEdge",
- "description": "An edge for our `ActionResult`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `ActionResult`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "ActionResultsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "ActionResultsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "DeleteActionInput",
- "description": "All input for the `deleteAction` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "DeleteActionPayload",
- "description": "The output of our delete `Action` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "action",
- "description": "The `Action` that was deleted by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Action",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deletedActionNodeId",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "ID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "location",
- "description": "Reads a single `Location` that is related to this `Action`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Location",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "owner",
- "description": "Reads a single `User` that is related to this `Action`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionEdge",
- "description": "An edge for our `Action`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `Action`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "ActionsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "ActionsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "DeleteGoalInput",
- "description": "All input for the `deleteGoal` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "DeleteGoalPayload",
- "description": "The output of our delete `Goal` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "goal",
- "description": "The `Goal` that was deleted by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Goal",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deletedGoalNodeId",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "ID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "goalEdge",
- "description": "An edge for our `Goal`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `Goal`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "GoalsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "GoalsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "DeleteLocationInput",
- "description": "All input for the `deleteLocation` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "DeleteLocationPayload",
- "description": "The output of our delete `Location` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "location",
- "description": "The `Location` that was deleted by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Location",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deletedLocationNodeId",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "ID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "locationEdge",
- "description": "An edge for our `Location`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `Location`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "LocationsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "LocationsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "DeleteNewsUpdateInput",
- "description": "All input for the `deleteNewsUpdate` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "DeleteNewsUpdatePayload",
- "description": "The output of our delete `NewsUpdate` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "newsUpdate",
- "description": "The `NewsUpdate` that was deleted by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "NewsUpdate",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deletedNewsUpdateNodeId",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "ID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "newsUpdateEdge",
- "description": "An edge for our `NewsUpdate`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `NewsUpdate`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "NewsUpdatesOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "NewsUpdatesEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "DeleteUserActionItemInput",
- "description": "All input for the `deleteUserActionItem` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "DeleteUserActionItemPayload",
- "description": "The output of our delete `UserActionItem` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActionItem",
- "description": "The `UserActionItem` that was deleted by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserActionItem",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deletedUserActionItemNodeId",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "ID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "Reads a single `User` that is related to this `UserActionItem`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "action",
- "description": "Reads a single `Action` that is related to this `UserActionItem`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Action",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userAction",
- "description": "Reads a single `UserAction` that is related to this `UserActionItem`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserAction",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionItem",
- "description": "Reads a single `ActionItem` that is related to this `UserActionItem`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "ActionItem",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActionItemEdge",
- "description": "An edge for our `UserActionItem`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserActionItem`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserActionItemsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserActionItemsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "DeleteUserActionResultInput",
- "description": "All input for the `deleteUserActionResult` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "DeleteUserActionResultPayload",
- "description": "The output of our delete `UserActionResult` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActionResult",
- "description": "The `UserActionResult` that was deleted by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserActionResult",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deletedUserActionResultNodeId",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "ID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "Reads a single `User` that is related to this `UserActionResult`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "action",
- "description": "Reads a single `Action` that is related to this `UserActionResult`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Action",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userAction",
- "description": "Reads a single `UserAction` that is related to this `UserActionResult`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserAction",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "actionResult",
- "description": "Reads a single `ActionResult` that is related to this `UserActionResult`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "ActionResult",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActionResultEdge",
- "description": "An edge for our `UserActionResult`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserActionResult`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserActionResultsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserActionResultsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "DeleteUserActionInput",
- "description": "All input for the `deleteUserAction` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "DeleteUserActionPayload",
- "description": "The output of our delete `UserAction` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userAction",
- "description": "The `UserAction` that was deleted by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserAction",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deletedUserActionNodeId",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "ID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "Reads a single `User` that is related to this `UserAction`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "verifier",
- "description": "Reads a single `User` that is related to this `UserAction`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "action",
- "description": "Reads a single `Action` that is related to this `UserAction`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Action",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userActionEdge",
- "description": "An edge for our `UserAction`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserAction`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserActionsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserActionsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "DeleteUserCharacteristicInput",
- "description": "All input for the `deleteUserCharacteristic` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "DeleteUserCharacteristicPayload",
- "description": "The output of our delete `UserCharacteristic` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userCharacteristic",
- "description": "The `UserCharacteristic` that was deleted by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserCharacteristic",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deletedUserCharacteristicNodeId",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "ID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "Reads a single `User` that is related to this `UserCharacteristic`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userCharacteristicEdge",
- "description": "An edge for our `UserCharacteristic`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserCharacteristic`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserCharacteristicsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserCharacteristicsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "DeleteUserCharacteristicByUserIdInput",
- "description": "All input for the `deleteUserCharacteristicByUserId` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "DeleteUserConnectionInput",
- "description": "All input for the `deleteUserConnection` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "DeleteUserConnectionPayload",
- "description": "The output of our delete `UserConnection` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userConnection",
- "description": "The `UserConnection` that was deleted by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserConnection",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deletedUserConnectionNodeId",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "ID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "requester",
- "description": "Reads a single `User` that is related to this `UserConnection`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "responder",
- "description": "Reads a single `User` that is related to this `UserConnection`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userConnectionEdge",
- "description": "An edge for our `UserConnection`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserConnection`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserConnectionsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserConnectionsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "DeleteUserContactInput",
- "description": "All input for the `deleteUserContact` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "DeleteUserContactPayload",
- "description": "The output of our delete `UserContact` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userContact",
- "description": "The `UserContact` that was deleted by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserContact",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deletedUserContactNodeId",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "ID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "Reads a single `User` that is related to this `UserContact`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userContactEdge",
- "description": "An edge for our `UserContact`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserContact`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserContactsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserContactsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "DeleteUserEmailInput",
- "description": "All input for the `deleteUserEmail` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "DeleteUserEmailPayload",
- "description": "The output of our delete `UserEmail` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userEmail",
- "description": "The `UserEmail` that was deleted by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserEmail",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deletedUserEmailNodeId",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "ID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "Reads a single `User` that is related to this `UserEmail`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userEmailEdge",
- "description": "An edge for our `UserEmail`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserEmail`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserEmailsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserEmailsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "DeleteUserEmailByEmailInput",
- "description": "All input for the `deleteUserEmailByEmail` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "email",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "LaunchqlInternalTypeEmail",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "DeleteUserProfileInput",
- "description": "All input for the `deleteUserProfile` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "DeleteUserProfilePayload",
- "description": "The output of our delete `UserProfile` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userProfile",
- "description": "The `UserProfile` that was deleted by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserProfile",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deletedUserProfileNodeId",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "ID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "Reads a single `User` that is related to this `UserProfile`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userProfileEdge",
- "description": "An edge for our `UserProfile`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserProfile`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserProfilesOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserProfilesEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "DeleteUserProfileByUserIdInput",
- "description": "All input for the `deleteUserProfileByUserId` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "DeleteUserSettingInput",
- "description": "All input for the `deleteUserSetting` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "DeleteUserSettingPayload",
- "description": "The output of our delete `UserSetting` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userSetting",
- "description": "The `UserSetting` that was deleted by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "UserSetting",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deletedUserSettingNodeId",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "ID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "Reads a single `User` that is related to this `UserSetting`.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userSettingEdge",
- "description": "An edge for our `UserSetting`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `UserSetting`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UserSettingsOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UserSettingsEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "DeleteUserSettingByUserIdInput",
- "description": "All input for the `deleteUserSettingByUserId` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "userId",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "DeleteUserInput",
- "description": "All input for the `deleteUser` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "id",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "DeleteUserPayload",
- "description": "The output of our delete `User` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "user",
- "description": "The `User` that was deleted by this mutation.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "User",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deletedUserNodeId",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "ID",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userEdge",
- "description": "An edge for our `User`. May be used by Relay 1.",
- "args": [
- {
- "name": "orderBy",
- "description": "The method to use when ordering `User`.",
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "UsersOrderBy",
- "ofType": null
- }
- }
- },
- "defaultValue": "[PRIMARY_KEY_ASC]"
- }
- ],
- "type": {
- "kind": "OBJECT",
- "name": "UsersEdge",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "LoginInput",
- "description": "All input for the `login` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "email",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "defaultValue": null
- },
- {
- "name": "password",
- "description": null,
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "LoginPayload",
- "description": "The output of our `login` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "apiToken",
- "description": null,
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "ApiToken",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "ApiToken",
- "description": null,
- "fields": [
- {
- "name": "id",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "userId",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "accessToken",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "accessTokenExpiresAt",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Datetime",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INPUT_OBJECT",
- "name": "RegisterInput",
- "description": "All input for the `register` mutation.",
- "fields": null,
- "inputFields": [
- {
- "name": "clientMutationId",
- "description": "An arbitrary string value with no semantic meaning. Will be included in the payload verbatim. May be used to track mutations by the client.",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "email",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- },
- {
- "name": "password",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": null
- }
- ],
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "RegisterPayload",
- "description": "The output of our `register` mutation.",
- "fields": [
- {
- "name": "clientMutationId",
- "description": "The exact same `clientMutationId` that was provided in the mutation input, unchanged and unused. May be used by a client to track mutations.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "apiToken",
- "description": null,
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "ApiToken",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "query",
- "description": "Our root query field type. Allows us to run any query from our mutation payload.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "Query",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "__Schema",
- "description": "A GraphQL Schema defines the capabilities of a GraphQL server. It exposes all available types and directives on the server, as well as the entry points for query, mutation, and subscription operations.",
- "fields": [
- {
- "name": "types",
- "description": "A list of all types supported by this server.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "__Type",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "queryType",
- "description": "The type that query operations will be rooted at.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "__Type",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "mutationType",
- "description": "If this server supports mutation, the type that mutation operations will be rooted at.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "__Type",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "subscriptionType",
- "description": "If this server support subscription, the type that subscription operations will be rooted at.",
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "__Type",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "directives",
- "description": "A list of all directives supported by this server.",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "__Directive",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "__Type",
- "description": "The fundamental unit of any GraphQL Schema is the type. There are many kinds of types in GraphQL as represented by the `__TypeKind` enum.\n\nDepending on the kind of a type, certain fields describe information about that type. Scalar types provide no information beyond a name and description, while Enum types provide their values. Object and Interface types provide the fields they describe. Abstract types, Union and Interface, provide the Object types possible at runtime. List and NonNull types compose other types.",
- "fields": [
- {
- "name": "kind",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "__TypeKind",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "name",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "description",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "fields",
- "description": null,
- "args": [
- {
- "name": "includeDeprecated",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": "false"
- }
- ],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "__Field",
- "ofType": null
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "interfaces",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "__Type",
- "ofType": null
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "possibleTypes",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "__Type",
- "ofType": null
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "enumValues",
- "description": null,
- "args": [
- {
- "name": "includeDeprecated",
- "description": null,
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- },
- "defaultValue": "false"
- }
- ],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "__EnumValue",
- "ofType": null
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "inputFields",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "__InputValue",
- "ofType": null
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ofType",
- "description": null,
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "__Type",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "ENUM",
- "name": "__TypeKind",
- "description": "An enum describing what kind of type a given `__Type` is.",
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": [
- {
- "name": "SCALAR",
- "description": "Indicates this type is a scalar.",
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "OBJECT",
- "description": "Indicates this type is an object. `fields` and `interfaces` are valid fields.",
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "INTERFACE",
- "description": "Indicates this type is an interface. `fields` and `possibleTypes` are valid fields.",
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UNION",
- "description": "Indicates this type is a union. `possibleTypes` is a valid field.",
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ENUM",
- "description": "Indicates this type is an enum. `enumValues` is a valid field.",
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "INPUT_OBJECT",
- "description": "Indicates this type is an input object. `inputFields` is a valid field.",
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "LIST",
- "description": "Indicates this type is a list. `ofType` is a valid field.",
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "NON_NULL",
- "description": "Indicates this type is a non-null. `ofType` is a valid field.",
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "__Field",
- "description": "Object and Interface types are described by a list of Fields, each of which has a name, potentially a list of arguments, and a return type.",
- "fields": [
- {
- "name": "name",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "description",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "args",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "__InputValue",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "type",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "__Type",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "isDeprecated",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deprecationReason",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "__InputValue",
- "description": "Arguments provided to Fields or Directives and the input fields of an InputObject are represented as Input Values which describe their type and optionally a default value.",
- "fields": [
- {
- "name": "name",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "description",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "type",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "__Type",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "defaultValue",
- "description": "A GraphQL-formatted string representing the default value for this input value.",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "__EnumValue",
- "description": "One possible value for a given Enum. Enum values are unique values, not a placeholder for a string or numeric value. However an Enum value is returned in a JSON response as a string.",
- "fields": [
- {
- "name": "name",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "description",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "isDeprecated",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "deprecationReason",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "__Directive",
- "description": "A Directive provides a way to describe alternate runtime execution and type validation behavior in a GraphQL document.\n\nIn some cases, you need to provide options to alter GraphQL's execution behavior in ways field arguments will not suffice, such as conditionally including or skipping a field. Directives provide this by describing additional information to the executor.",
- "fields": [
- {
- "name": "name",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "description",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "locations",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "ENUM",
- "name": "__DirectiveLocation",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "args",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "__InputValue",
- "ofType": null
- }
- }
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "ENUM",
- "name": "__DirectiveLocation",
- "description": "A Directive can be adjacent to many parts of the GraphQL language, a __DirectiveLocation describes one such possible adjacencies.",
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": [
- {
- "name": "QUERY",
- "description": "Location adjacent to a query operation.",
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "MUTATION",
- "description": "Location adjacent to a mutation operation.",
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "SUBSCRIPTION",
- "description": "Location adjacent to a subscription operation.",
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "FIELD",
- "description": "Location adjacent to a field.",
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "FRAGMENT_DEFINITION",
- "description": "Location adjacent to a fragment definition.",
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "FRAGMENT_SPREAD",
- "description": "Location adjacent to a fragment spread.",
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "INLINE_FRAGMENT",
- "description": "Location adjacent to an inline fragment.",
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "VARIABLE_DEFINITION",
- "description": "Location adjacent to a variable definition.",
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "SCHEMA",
- "description": "Location adjacent to a schema definition.",
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "SCALAR",
- "description": "Location adjacent to a scalar definition.",
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "OBJECT",
- "description": "Location adjacent to an object type definition.",
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "FIELD_DEFINITION",
- "description": "Location adjacent to a field definition.",
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ARGUMENT_DEFINITION",
- "description": "Location adjacent to an argument definition.",
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "INTERFACE",
- "description": "Location adjacent to an interface definition.",
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "UNION",
- "description": "Location adjacent to a union definition.",
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ENUM",
- "description": "Location adjacent to an enum definition.",
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "ENUM_VALUE",
- "description": "Location adjacent to an enum value definition.",
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "INPUT_OBJECT",
- "description": "Location adjacent to an input object type definition.",
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "INPUT_FIELD_DEFINITION",
- "description": "Location adjacent to an input object field definition.",
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryPoint",
- "description": null,
- "fields": [
- {
- "name": "geojson",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "x",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Float",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "y",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Float",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [
- {
- "kind": "INTERFACE",
- "name": "GeometryInterface",
- "ofType": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryGeometry",
- "ofType": null
- }
- ],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryGeometry",
- "description": "All geometry XY types implement this interface",
- "fields": [
- {
- "name": "geojson",
- "description": "Converts the object to GeoJSON",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": "Spatial reference identifier (SRID)",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": [
- {
- "kind": "OBJECT",
- "name": "GeometryPoint",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryLineString",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryPolygon",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiPoint",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiLineString",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiPolygon",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryGeometryCollection",
- "ofType": null
- }
- ]
- },
- {
- "kind": "SCALAR",
- "name": "Float",
- "description": "The `Float` scalar type represents signed double-precision fractional values as specified by [IEEE 754](https://en.wikipedia.org/wiki/IEEE_floating_point).",
- "fields": null,
- "inputFields": null,
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryPointM",
- "description": null,
- "fields": [
- {
- "name": "geojson",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "x",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Float",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "y",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Float",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [
- {
- "kind": "INTERFACE",
- "name": "GeometryInterface",
- "ofType": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryGeometryM",
- "ofType": null
- }
- ],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryGeometryM",
- "description": "All geometry XYM types implement this interface",
- "fields": [
- {
- "name": "geojson",
- "description": "Converts the object to GeoJSON",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": "Spatial reference identifier (SRID)",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": [
- {
- "kind": "OBJECT",
- "name": "GeometryPointM",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryLineStringM",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryPolygonM",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiPointM",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiLineStringM",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiPolygonM",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryGeometryCollectionM",
- "ofType": null
- }
- ]
- },
- {
- "kind": "OBJECT",
- "name": "GeometryPointZ",
- "description": null,
- "fields": [
- {
- "name": "geojson",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "x",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Float",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "y",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Float",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [
- {
- "kind": "INTERFACE",
- "name": "GeometryInterface",
- "ofType": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryGeometryZ",
- "ofType": null
- }
- ],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryGeometryZ",
- "description": "All geometry XYZ types implement this interface",
- "fields": [
- {
- "name": "geojson",
- "description": "Converts the object to GeoJSON",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": "Spatial reference identifier (SRID)",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": [
- {
- "kind": "OBJECT",
- "name": "GeometryPointZ",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryLineStringZ",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryPolygonZ",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiPointZ",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiLineStringZ",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiPolygonZ",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryGeometryCollectionZ",
- "ofType": null
- }
- ]
- },
- {
- "kind": "OBJECT",
- "name": "GeometryPointZM",
- "description": null,
- "fields": [
- {
- "name": "geojson",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "x",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Float",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "y",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Float",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [
- {
- "kind": "INTERFACE",
- "name": "GeometryInterface",
- "ofType": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryGeometryZM",
- "ofType": null
- }
- ],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryGeometryZM",
- "description": "All geometry XYZM types implement this interface",
- "fields": [
- {
- "name": "geojson",
- "description": "Converts the object to GeoJSON",
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": "Spatial reference identifier (SRID)",
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": null,
- "enumValues": null,
- "possibleTypes": [
- {
- "kind": "OBJECT",
- "name": "GeometryPointZM",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryLineStringZM",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryPolygonZM",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiPointZM",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiLineStringZM",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiPolygonZM",
- "ofType": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryGeometryCollectionZM",
- "ofType": null
- }
- ]
- },
- {
- "kind": "OBJECT",
- "name": "GeometryLineString",
- "description": null,
- "fields": [
- {
- "name": "geojson",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "points",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "GeometryPoint",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [
- {
- "kind": "INTERFACE",
- "name": "GeometryInterface",
- "ofType": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryGeometry",
- "ofType": null
- }
- ],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryLineStringM",
- "description": null,
- "fields": [
- {
- "name": "geojson",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "points",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "GeometryPointM",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [
- {
- "kind": "INTERFACE",
- "name": "GeometryInterface",
- "ofType": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryGeometryM",
- "ofType": null
- }
- ],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryLineStringZ",
- "description": null,
- "fields": [
- {
- "name": "geojson",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "points",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "GeometryPointZ",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [
- {
- "kind": "INTERFACE",
- "name": "GeometryInterface",
- "ofType": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryGeometryZ",
- "ofType": null
- }
- ],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryLineStringZM",
- "description": null,
- "fields": [
- {
- "name": "geojson",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "points",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "GeometryPointZM",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [
- {
- "kind": "INTERFACE",
- "name": "GeometryInterface",
- "ofType": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryGeometryZM",
- "ofType": null
- }
- ],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryPolygon",
- "description": null,
- "fields": [
- {
- "name": "geojson",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "exterior",
- "description": null,
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "GeometryLineString",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "interiors",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "GeometryLineString",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [
- {
- "kind": "INTERFACE",
- "name": "GeometryInterface",
- "ofType": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryGeometry",
- "ofType": null
- }
- ],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryPolygonM",
- "description": null,
- "fields": [
- {
- "name": "geojson",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "exterior",
- "description": null,
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "GeometryLineStringM",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "interiors",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "GeometryLineStringM",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [
- {
- "kind": "INTERFACE",
- "name": "GeometryInterface",
- "ofType": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryGeometryM",
- "ofType": null
- }
- ],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryPolygonZ",
- "description": null,
- "fields": [
- {
- "name": "geojson",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "exterior",
- "description": null,
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "GeometryLineStringZ",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "interiors",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "GeometryLineStringZ",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [
- {
- "kind": "INTERFACE",
- "name": "GeometryInterface",
- "ofType": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryGeometryZ",
- "ofType": null
- }
- ],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryPolygonZM",
- "description": null,
- "fields": [
- {
- "name": "geojson",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "exterior",
- "description": null,
- "args": [],
- "type": {
- "kind": "OBJECT",
- "name": "GeometryLineStringZM",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "interiors",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "GeometryLineStringZM",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [
- {
- "kind": "INTERFACE",
- "name": "GeometryInterface",
- "ofType": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryGeometryZM",
- "ofType": null
- }
- ],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiPoint",
- "description": null,
- "fields": [
- {
- "name": "geojson",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "points",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "GeometryPoint",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [
- {
- "kind": "INTERFACE",
- "name": "GeometryInterface",
- "ofType": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryGeometry",
- "ofType": null
- }
- ],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiPointM",
- "description": null,
- "fields": [
- {
- "name": "geojson",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "points",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "GeometryPointM",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [
- {
- "kind": "INTERFACE",
- "name": "GeometryInterface",
- "ofType": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryGeometryM",
- "ofType": null
- }
- ],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiPointZ",
- "description": null,
- "fields": [
- {
- "name": "geojson",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "points",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "GeometryPointZ",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [
- {
- "kind": "INTERFACE",
- "name": "GeometryInterface",
- "ofType": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryGeometryZ",
- "ofType": null
- }
- ],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiPointZM",
- "description": null,
- "fields": [
- {
- "name": "geojson",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "points",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "GeometryPointZM",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [
- {
- "kind": "INTERFACE",
- "name": "GeometryInterface",
- "ofType": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryGeometryZM",
- "ofType": null
- }
- ],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiLineString",
- "description": null,
- "fields": [
- {
- "name": "geojson",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "lines",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "GeometryLineString",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [
- {
- "kind": "INTERFACE",
- "name": "GeometryInterface",
- "ofType": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryGeometry",
- "ofType": null
- }
- ],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiLineStringM",
- "description": null,
- "fields": [
- {
- "name": "geojson",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "lines",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "GeometryLineStringM",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [
- {
- "kind": "INTERFACE",
- "name": "GeometryInterface",
- "ofType": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryGeometryM",
- "ofType": null
- }
- ],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiLineStringZ",
- "description": null,
- "fields": [
- {
- "name": "geojson",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "lines",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "GeometryLineStringZ",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [
- {
- "kind": "INTERFACE",
- "name": "GeometryInterface",
- "ofType": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryGeometryZ",
- "ofType": null
- }
- ],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiLineStringZM",
- "description": null,
- "fields": [
- {
- "name": "geojson",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "lines",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "GeometryLineStringZM",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [
- {
- "kind": "INTERFACE",
- "name": "GeometryInterface",
- "ofType": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryGeometryZM",
- "ofType": null
- }
- ],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiPolygon",
- "description": null,
- "fields": [
- {
- "name": "geojson",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "polygons",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "GeometryPolygon",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [
- {
- "kind": "INTERFACE",
- "name": "GeometryInterface",
- "ofType": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryGeometry",
- "ofType": null
- }
- ],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiPolygonM",
- "description": null,
- "fields": [
- {
- "name": "geojson",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "polygons",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "GeometryPolygonM",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [
- {
- "kind": "INTERFACE",
- "name": "GeometryInterface",
- "ofType": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryGeometryM",
- "ofType": null
- }
- ],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiPolygonZ",
- "description": null,
- "fields": [
- {
- "name": "geojson",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "polygons",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "GeometryPolygonZ",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [
- {
- "kind": "INTERFACE",
- "name": "GeometryInterface",
- "ofType": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryGeometryZ",
- "ofType": null
- }
- ],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryMultiPolygonZM",
- "description": null,
- "fields": [
- {
- "name": "geojson",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "polygons",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "OBJECT",
- "name": "GeometryPolygonZM",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [
- {
- "kind": "INTERFACE",
- "name": "GeometryInterface",
- "ofType": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryGeometryZM",
- "ofType": null
- }
- ],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryGeometryCollection",
- "description": null,
- "fields": [
- {
- "name": "geojson",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "geometries",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "INTERFACE",
- "name": "GeometryGeometry",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [
- {
- "kind": "INTERFACE",
- "name": "GeometryInterface",
- "ofType": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryGeometry",
- "ofType": null
- }
- ],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryGeometryCollectionM",
- "description": null,
- "fields": [
- {
- "name": "geojson",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "geometries",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "INTERFACE",
- "name": "GeometryGeometryM",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [
- {
- "kind": "INTERFACE",
- "name": "GeometryInterface",
- "ofType": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryGeometryM",
- "ofType": null
- }
- ],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryGeometryCollectionZ",
- "description": null,
- "fields": [
- {
- "name": "geojson",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "geometries",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "INTERFACE",
- "name": "GeometryGeometryZ",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [
- {
- "kind": "INTERFACE",
- "name": "GeometryInterface",
- "ofType": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryGeometryZ",
- "ofType": null
- }
- ],
- "enumValues": null,
- "possibleTypes": null
- },
- {
- "kind": "OBJECT",
- "name": "GeometryGeometryCollectionZM",
- "description": null,
- "fields": [
- {
- "name": "geojson",
- "description": null,
- "args": [],
- "type": {
- "kind": "SCALAR",
- "name": "GeoJSON",
- "ofType": null
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "srid",
- "description": null,
- "args": [],
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Int",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- },
- {
- "name": "geometries",
- "description": null,
- "args": [],
- "type": {
- "kind": "LIST",
- "name": null,
- "ofType": {
- "kind": "INTERFACE",
- "name": "GeometryGeometryZM",
- "ofType": null
- }
- },
- "isDeprecated": false,
- "deprecationReason": null
- }
- ],
- "inputFields": null,
- "interfaces": [
- {
- "kind": "INTERFACE",
- "name": "GeometryInterface",
- "ofType": null
- },
- {
- "kind": "INTERFACE",
- "name": "GeometryGeometryZM",
- "ofType": null
- }
- ],
- "enumValues": null,
- "possibleTypes": null
- }
- ],
- "directives": [
- {
- "name": "include",
- "description": "Directs the executor to include this field or fragment only when the `if` argument is true.",
- "locations": [
- "FIELD",
- "FRAGMENT_SPREAD",
- "INLINE_FRAGMENT"
- ],
- "args": [
- {
- "name": "if",
- "description": "Included when true.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ]
- },
- {
- "name": "skip",
- "description": "Directs the executor to skip this field or fragment when the `if` argument is true.",
- "locations": [
- "FIELD",
- "FRAGMENT_SPREAD",
- "INLINE_FRAGMENT"
- ],
- "args": [
- {
- "name": "if",
- "description": "Skipped when true.",
- "type": {
- "kind": "NON_NULL",
- "name": null,
- "ofType": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- }
- },
- "defaultValue": null
- }
- ]
- },
- {
- "name": "deprecated",
- "description": "Marks an element of a GraphQL schema as no longer supported.",
- "locations": [
- "FIELD_DEFINITION",
- "ENUM_VALUE"
- ],
- "args": [
- {
- "name": "reason",
- "description": "Explains why this element was deprecated, usually also including a suggestion for how to access supported similar data. Formatted using the Markdown syntax (as specified by [CommonMark](https://commonmark.org/).",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- },
- "defaultValue": "\"No longer supported\""
- }
- ]
- }
- ]
- }
- }
-}
\ No newline at end of file
diff --git a/graphql/codegen/__fixtures__/api/mutations.json b/graphql/codegen/__fixtures__/api/mutations.json
deleted file mode 100644
index 4e000f437..000000000
--- a/graphql/codegen/__fixtures__/api/mutations.json
+++ /dev/null
@@ -1,3078 +0,0 @@
-{
- "createActionItem": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "ActionItem",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreateActionItemInput",
- "properties": {
- "actionItem": {
- "name": "actionItem",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "description": {
- "name": "description",
- "type": "String"
- },
- "link": {
- "name": "link",
- "type": "String"
- },
- "type": {
- "name": "type",
- "type": "String"
- },
- "itemOrder": {
- "name": "itemOrder",
- "type": "Int"
- },
- "requiredItem": {
- "name": "requiredItem",
- "type": "Boolean"
- },
- "notificationText": {
- "name": "notificationText",
- "type": "String"
- },
- "embedCode": {
- "name": "embedCode",
- "type": "String"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "actionId": {
- "name": "actionId",
- "isNotNull": true,
- "type": "UUID"
- },
- "ownerId": {
- "name": "ownerId",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreateActionItemPayload",
- "ofType": null
- }
- },
- "createActionResult": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "ActionResult",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreateActionResultInput",
- "properties": {
- "actionResult": {
- "name": "actionResult",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "actionId": {
- "name": "actionId",
- "isNotNull": true,
- "type": "UUID"
- },
- "ownerId": {
- "name": "ownerId",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreateActionResultPayload",
- "ofType": null
- }
- },
- "createAction": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "Action",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreateActionInput",
- "properties": {
- "action": {
- "name": "action",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "photo": {
- "name": "photo",
- "type": "JSON"
- },
- "title": {
- "name": "title",
- "type": "String"
- },
- "description": {
- "name": "description",
- "type": "String"
- },
- "locationRadius": {
- "name": "locationRadius",
- "type": "BigFloat"
- },
- "url": {
- "name": "url",
- "type": "String"
- },
- "timeRequired": {
- "name": "timeRequired",
- "type": "BigFloat"
- },
- "startDate": {
- "name": "startDate",
- "type": "Datetime"
- },
- "endDate": {
- "name": "endDate",
- "type": "Datetime"
- },
- "approved": {
- "name": "approved",
- "type": "Boolean"
- },
- "rewardAmount": {
- "name": "rewardAmount",
- "type": "BigFloat"
- },
- "activityFeedText": {
- "name": "activityFeedText",
- "type": "String"
- },
- "callToAction": {
- "name": "callToAction",
- "type": "String"
- },
- "completedActionText": {
- "name": "completedActionText",
- "type": "String"
- },
- "descriptionHeader": {
- "name": "descriptionHeader",
- "type": "String"
- },
- "tags": {
- "name": "tags",
- "isArray": true,
- "type": "String"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "locationId": {
- "name": "locationId",
- "type": "UUID"
- },
- "ownerId": {
- "name": "ownerId",
- "isNotNull": true,
- "type": "UUID"
- },
- "photoUpload": {
- "name": "photoUpload",
- "type": "Upload"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreateActionPayload",
- "ofType": null
- }
- },
- "createGoal": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "Goal",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreateGoalInput",
- "properties": {
- "goal": {
- "name": "goal",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "shortName": {
- "name": "shortName",
- "type": "String"
- },
- "icon": {
- "name": "icon",
- "type": "String"
- },
- "subHead": {
- "name": "subHead",
- "type": "String"
- },
- "audio": {
- "name": "audio",
- "type": "JSON"
- },
- "audioDuration": {
- "name": "audioDuration",
- "type": "BigFloat"
- },
- "explanationTitle": {
- "name": "explanationTitle",
- "type": "String"
- },
- "explanation": {
- "name": "explanation",
- "type": "String"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "audioUpload": {
- "name": "audioUpload",
- "type": "Upload"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreateGoalPayload",
- "ofType": null
- }
- },
- "createLocation": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "Location",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreateLocationInput",
- "properties": {
- "location": {
- "name": "location",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "geo": {
- "name": "geo",
- "type": "GeoJSON"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreateLocationPayload",
- "ofType": null
- }
- },
- "createNewsUpdate": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "NewsUpdate",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreateNewsUpdateInput",
- "properties": {
- "newsUpdate": {
- "name": "newsUpdate",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "description": {
- "name": "description",
- "type": "String"
- },
- "photo": {
- "name": "photo",
- "type": "JSON"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "photoUpload": {
- "name": "photoUpload",
- "type": "Upload"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreateNewsUpdatePayload",
- "ofType": null
- }
- },
- "createUserActionItem": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "UserActionItem",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreateUserActionItemInput",
- "properties": {
- "userActionItem": {
- "name": "userActionItem",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "date": {
- "name": "date",
- "type": "Datetime"
- },
- "value": {
- "name": "value",
- "type": "JSON"
- },
- "status": {
- "name": "status",
- "type": "String"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "userId": {
- "name": "userId",
- "isNotNull": true,
- "type": "UUID"
- },
- "actionId": {
- "name": "actionId",
- "isNotNull": true,
- "type": "UUID"
- },
- "userActionId": {
- "name": "userActionId",
- "isNotNull": true,
- "type": "UUID"
- },
- "actionItemId": {
- "name": "actionItemId",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreateUserActionItemPayload",
- "ofType": null
- }
- },
- "createUserActionResult": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "UserActionResult",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreateUserActionResultInput",
- "properties": {
- "userActionResult": {
- "name": "userActionResult",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "date": {
- "name": "date",
- "type": "Datetime"
- },
- "value": {
- "name": "value",
- "type": "JSON"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "userId": {
- "name": "userId",
- "isNotNull": true,
- "type": "UUID"
- },
- "actionId": {
- "name": "actionId",
- "isNotNull": true,
- "type": "UUID"
- },
- "userActionId": {
- "name": "userActionId",
- "isNotNull": true,
- "type": "UUID"
- },
- "actionResultId": {
- "name": "actionResultId",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreateUserActionResultPayload",
- "ofType": null
- }
- },
- "createUserAction": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "UserAction",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreateUserActionInput",
- "properties": {
- "userAction": {
- "name": "userAction",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "actionStarted": {
- "name": "actionStarted",
- "type": "Datetime"
- },
- "verified": {
- "name": "verified",
- "type": "Boolean"
- },
- "verifiedDate": {
- "name": "verifiedDate",
- "type": "Datetime"
- },
- "status": {
- "name": "status",
- "type": "String"
- },
- "userRating": {
- "name": "userRating",
- "type": "Int"
- },
- "rejected": {
- "name": "rejected",
- "type": "Boolean"
- },
- "rejectedReason": {
- "name": "rejectedReason",
- "type": "String"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "userId": {
- "name": "userId",
- "isNotNull": true,
- "type": "UUID"
- },
- "verifierId": {
- "name": "verifierId",
- "type": "UUID"
- },
- "actionId": {
- "name": "actionId",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreateUserActionPayload",
- "ofType": null
- }
- },
- "createUserCharacteristic": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "UserCharacteristic",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreateUserCharacteristicInput",
- "properties": {
- "userCharacteristic": {
- "name": "userCharacteristic",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "income": {
- "name": "income",
- "type": "BigFloat"
- },
- "gender": {
- "name": "gender",
- "type": "Int"
- },
- "race": {
- "name": "race",
- "type": "String"
- },
- "age": {
- "name": "age",
- "type": "Int"
- },
- "dob": {
- "name": "dob",
- "type": "Date"
- },
- "education": {
- "name": "education",
- "type": "String"
- },
- "homeOwnership": {
- "name": "homeOwnership",
- "type": "String"
- },
- "treeHuggerLevel": {
- "name": "treeHuggerLevel",
- "type": "Int"
- },
- "freeTime": {
- "name": "freeTime",
- "type": "Int"
- },
- "researchToDoer": {
- "name": "researchToDoer",
- "type": "Int"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "userId": {
- "name": "userId",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreateUserCharacteristicPayload",
- "ofType": null
- }
- },
- "createUserConnection": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "UserConnection",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreateUserConnectionInput",
- "properties": {
- "userConnection": {
- "name": "userConnection",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "accepted": {
- "name": "accepted",
- "type": "Boolean"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "requesterId": {
- "name": "requesterId",
- "isNotNull": true,
- "type": "UUID"
- },
- "responderId": {
- "name": "responderId",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreateUserConnectionPayload",
- "ofType": null
- }
- },
- "createUserContact": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "UserContact",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreateUserContactInput",
- "properties": {
- "userContact": {
- "name": "userContact",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "vcf": {
- "name": "vcf",
- "type": "JSON"
- },
- "fullName": {
- "name": "fullName",
- "type": "String"
- },
- "emails": {
- "name": "emails",
- "isArray": true,
- "type": "LaunchqlInternalTypeEmail"
- },
- "device": {
- "name": "device",
- "type": "String"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "userId": {
- "name": "userId",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreateUserContactPayload",
- "ofType": null
- }
- },
- "createUserEmail": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "UserEmail",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreateUserEmailInput",
- "properties": {
- "userEmail": {
- "name": "userEmail",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "userId": {
- "name": "userId",
- "isNotNull": true,
- "type": "UUID"
- },
- "email": {
- "name": "email",
- "isNotNull": true,
- "type": "LaunchqlInternalTypeEmail"
- },
- "isVerified": {
- "name": "isVerified",
- "type": "Boolean"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreateUserEmailPayload",
- "ofType": null
- }
- },
- "createUserProfile": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "UserProfile",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreateUserProfileInput",
- "properties": {
- "userProfile": {
- "name": "userProfile",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "profilePicture": {
- "name": "profilePicture",
- "type": "JSON"
- },
- "bio": {
- "name": "bio",
- "type": "String"
- },
- "reputation": {
- "name": "reputation",
- "type": "BigFloat"
- },
- "firstName": {
- "name": "firstName",
- "type": "String"
- },
- "lastName": {
- "name": "lastName",
- "type": "String"
- },
- "tags": {
- "name": "tags",
- "isArray": true,
- "type": "String"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "userId": {
- "name": "userId",
- "isNotNull": true,
- "type": "UUID"
- },
- "profilePictureUpload": {
- "name": "profilePictureUpload",
- "type": "Upload"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreateUserProfilePayload",
- "ofType": null
- }
- },
- "createUserSetting": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "UserSetting",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreateUserSettingInput",
- "properties": {
- "userSetting": {
- "name": "userSetting",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "searchRadius": {
- "name": "searchRadius",
- "type": "BigFloat"
- },
- "zip": {
- "name": "zip",
- "type": "String"
- },
- "geo": {
- "name": "geo",
- "type": "GeoJSON"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "userId": {
- "name": "userId",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreateUserSettingPayload",
- "ofType": null
- }
- },
- "createUser": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "User",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreateUserInput",
- "properties": {
- "user": {
- "name": "user",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "type": {
- "name": "type",
- "type": "Int"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreateUserPayload",
- "ofType": null
- }
- },
- "updateActionItem": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "ActionItem",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateActionItemInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "description": {
- "name": "description",
- "type": "String"
- },
- "link": {
- "name": "link",
- "type": "String"
- },
- "type": {
- "name": "type",
- "type": "String"
- },
- "itemOrder": {
- "name": "itemOrder",
- "type": "Int"
- },
- "requiredItem": {
- "name": "requiredItem",
- "type": "Boolean"
- },
- "notificationText": {
- "name": "notificationText",
- "type": "String"
- },
- "embedCode": {
- "name": "embedCode",
- "type": "String"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "actionId": {
- "name": "actionId",
- "type": "UUID"
- },
- "ownerId": {
- "name": "ownerId",
- "type": "UUID"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateActionItemPayload",
- "ofType": null
- }
- },
- "updateActionResult": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "ActionResult",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateActionResultInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "actionId": {
- "name": "actionId",
- "type": "UUID"
- },
- "ownerId": {
- "name": "ownerId",
- "type": "UUID"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateActionResultPayload",
- "ofType": null
- }
- },
- "updateAction": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "Action",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateActionInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "photo": {
- "name": "photo",
- "type": "JSON"
- },
- "title": {
- "name": "title",
- "type": "String"
- },
- "description": {
- "name": "description",
- "type": "String"
- },
- "locationRadius": {
- "name": "locationRadius",
- "type": "BigFloat"
- },
- "url": {
- "name": "url",
- "type": "String"
- },
- "timeRequired": {
- "name": "timeRequired",
- "type": "BigFloat"
- },
- "startDate": {
- "name": "startDate",
- "type": "Datetime"
- },
- "endDate": {
- "name": "endDate",
- "type": "Datetime"
- },
- "approved": {
- "name": "approved",
- "type": "Boolean"
- },
- "rewardAmount": {
- "name": "rewardAmount",
- "type": "BigFloat"
- },
- "activityFeedText": {
- "name": "activityFeedText",
- "type": "String"
- },
- "callToAction": {
- "name": "callToAction",
- "type": "String"
- },
- "completedActionText": {
- "name": "completedActionText",
- "type": "String"
- },
- "descriptionHeader": {
- "name": "descriptionHeader",
- "type": "String"
- },
- "tags": {
- "name": "tags",
- "isArray": true,
- "type": "String"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "locationId": {
- "name": "locationId",
- "type": "UUID"
- },
- "ownerId": {
- "name": "ownerId",
- "type": "UUID"
- },
- "photoUpload": {
- "name": "photoUpload",
- "type": "Upload"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateActionPayload",
- "ofType": null
- }
- },
- "updateGoal": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "Goal",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateGoalInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "shortName": {
- "name": "shortName",
- "type": "String"
- },
- "icon": {
- "name": "icon",
- "type": "String"
- },
- "subHead": {
- "name": "subHead",
- "type": "String"
- },
- "audio": {
- "name": "audio",
- "type": "JSON"
- },
- "audioDuration": {
- "name": "audioDuration",
- "type": "BigFloat"
- },
- "explanationTitle": {
- "name": "explanationTitle",
- "type": "String"
- },
- "explanation": {
- "name": "explanation",
- "type": "String"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "audioUpload": {
- "name": "audioUpload",
- "type": "Upload"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateGoalPayload",
- "ofType": null
- }
- },
- "updateLocation": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "Location",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateLocationInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "geo": {
- "name": "geo",
- "type": "GeoJSON"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateLocationPayload",
- "ofType": null
- }
- },
- "updateNewsUpdate": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "NewsUpdate",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateNewsUpdateInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "description": {
- "name": "description",
- "type": "String"
- },
- "photo": {
- "name": "photo",
- "type": "JSON"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "photoUpload": {
- "name": "photoUpload",
- "type": "Upload"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateNewsUpdatePayload",
- "ofType": null
- }
- },
- "updateUserActionItem": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "UserActionItem",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateUserActionItemInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "date": {
- "name": "date",
- "type": "Datetime"
- },
- "value": {
- "name": "value",
- "type": "JSON"
- },
- "status": {
- "name": "status",
- "type": "String"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "userId": {
- "name": "userId",
- "type": "UUID"
- },
- "actionId": {
- "name": "actionId",
- "type": "UUID"
- },
- "userActionId": {
- "name": "userActionId",
- "type": "UUID"
- },
- "actionItemId": {
- "name": "actionItemId",
- "type": "UUID"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateUserActionItemPayload",
- "ofType": null
- }
- },
- "updateUserActionResult": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "UserActionResult",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateUserActionResultInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "date": {
- "name": "date",
- "type": "Datetime"
- },
- "value": {
- "name": "value",
- "type": "JSON"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "userId": {
- "name": "userId",
- "type": "UUID"
- },
- "actionId": {
- "name": "actionId",
- "type": "UUID"
- },
- "userActionId": {
- "name": "userActionId",
- "type": "UUID"
- },
- "actionResultId": {
- "name": "actionResultId",
- "type": "UUID"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateUserActionResultPayload",
- "ofType": null
- }
- },
- "updateUserAction": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "UserAction",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateUserActionInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "actionStarted": {
- "name": "actionStarted",
- "type": "Datetime"
- },
- "verified": {
- "name": "verified",
- "type": "Boolean"
- },
- "verifiedDate": {
- "name": "verifiedDate",
- "type": "Datetime"
- },
- "status": {
- "name": "status",
- "type": "String"
- },
- "userRating": {
- "name": "userRating",
- "type": "Int"
- },
- "rejected": {
- "name": "rejected",
- "type": "Boolean"
- },
- "rejectedReason": {
- "name": "rejectedReason",
- "type": "String"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "userId": {
- "name": "userId",
- "type": "UUID"
- },
- "verifierId": {
- "name": "verifierId",
- "type": "UUID"
- },
- "actionId": {
- "name": "actionId",
- "type": "UUID"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateUserActionPayload",
- "ofType": null
- }
- },
- "updateUserCharacteristic": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "UserCharacteristic",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateUserCharacteristicInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "income": {
- "name": "income",
- "type": "BigFloat"
- },
- "gender": {
- "name": "gender",
- "type": "Int"
- },
- "race": {
- "name": "race",
- "type": "String"
- },
- "age": {
- "name": "age",
- "type": "Int"
- },
- "dob": {
- "name": "dob",
- "type": "Date"
- },
- "education": {
- "name": "education",
- "type": "String"
- },
- "homeOwnership": {
- "name": "homeOwnership",
- "type": "String"
- },
- "treeHuggerLevel": {
- "name": "treeHuggerLevel",
- "type": "Int"
- },
- "freeTime": {
- "name": "freeTime",
- "type": "Int"
- },
- "researchToDoer": {
- "name": "researchToDoer",
- "type": "Int"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "userId": {
- "name": "userId",
- "type": "UUID"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateUserCharacteristicPayload",
- "ofType": null
- }
- },
- "updateUserCharacteristicByUserId": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "UserCharacteristic",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateUserCharacteristicByUserIdInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "income": {
- "name": "income",
- "type": "BigFloat"
- },
- "gender": {
- "name": "gender",
- "type": "Int"
- },
- "race": {
- "name": "race",
- "type": "String"
- },
- "age": {
- "name": "age",
- "type": "Int"
- },
- "dob": {
- "name": "dob",
- "type": "Date"
- },
- "education": {
- "name": "education",
- "type": "String"
- },
- "homeOwnership": {
- "name": "homeOwnership",
- "type": "String"
- },
- "treeHuggerLevel": {
- "name": "treeHuggerLevel",
- "type": "Int"
- },
- "freeTime": {
- "name": "freeTime",
- "type": "Int"
- },
- "researchToDoer": {
- "name": "researchToDoer",
- "type": "Int"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "userId": {
- "name": "userId",
- "type": "UUID"
- }
- }
- },
- "userId": {
- "name": "userId",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateUserCharacteristicPayload",
- "ofType": null
- }
- },
- "updateUserConnection": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "UserConnection",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateUserConnectionInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "accepted": {
- "name": "accepted",
- "type": "Boolean"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "requesterId": {
- "name": "requesterId",
- "type": "UUID"
- },
- "responderId": {
- "name": "responderId",
- "type": "UUID"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateUserConnectionPayload",
- "ofType": null
- }
- },
- "updateUserContact": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "UserContact",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateUserContactInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "vcf": {
- "name": "vcf",
- "type": "JSON"
- },
- "fullName": {
- "name": "fullName",
- "type": "String"
- },
- "emails": {
- "name": "emails",
- "isArray": true,
- "type": "LaunchqlInternalTypeEmail"
- },
- "device": {
- "name": "device",
- "type": "String"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "userId": {
- "name": "userId",
- "type": "UUID"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateUserContactPayload",
- "ofType": null
- }
- },
- "updateUserEmail": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "UserEmail",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateUserEmailInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "userId": {
- "name": "userId",
- "type": "UUID"
- },
- "email": {
- "name": "email",
- "type": "LaunchqlInternalTypeEmail"
- },
- "isVerified": {
- "name": "isVerified",
- "type": "Boolean"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateUserEmailPayload",
- "ofType": null
- }
- },
- "updateUserEmailByEmail": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "UserEmail",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateUserEmailByEmailInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "userId": {
- "name": "userId",
- "type": "UUID"
- },
- "email": {
- "name": "email",
- "type": "LaunchqlInternalTypeEmail"
- },
- "isVerified": {
- "name": "isVerified",
- "type": "Boolean"
- }
- }
- },
- "email": {
- "name": "email",
- "isNotNull": true,
- "type": "LaunchqlInternalTypeEmail"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateUserEmailPayload",
- "ofType": null
- }
- },
- "updateUserProfile": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "UserProfile",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateUserProfileInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "profilePicture": {
- "name": "profilePicture",
- "type": "JSON"
- },
- "bio": {
- "name": "bio",
- "type": "String"
- },
- "reputation": {
- "name": "reputation",
- "type": "BigFloat"
- },
- "firstName": {
- "name": "firstName",
- "type": "String"
- },
- "lastName": {
- "name": "lastName",
- "type": "String"
- },
- "tags": {
- "name": "tags",
- "isArray": true,
- "type": "String"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "userId": {
- "name": "userId",
- "type": "UUID"
- },
- "profilePictureUpload": {
- "name": "profilePictureUpload",
- "type": "Upload"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateUserProfilePayload",
- "ofType": null
- }
- },
- "updateUserProfileByUserId": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "UserProfile",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateUserProfileByUserIdInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "profilePicture": {
- "name": "profilePicture",
- "type": "JSON"
- },
- "bio": {
- "name": "bio",
- "type": "String"
- },
- "reputation": {
- "name": "reputation",
- "type": "BigFloat"
- },
- "firstName": {
- "name": "firstName",
- "type": "String"
- },
- "lastName": {
- "name": "lastName",
- "type": "String"
- },
- "tags": {
- "name": "tags",
- "isArray": true,
- "type": "String"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "userId": {
- "name": "userId",
- "type": "UUID"
- },
- "profilePictureUpload": {
- "name": "profilePictureUpload",
- "type": "Upload"
- }
- }
- },
- "userId": {
- "name": "userId",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateUserProfilePayload",
- "ofType": null
- }
- },
- "updateUserSetting": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "UserSetting",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateUserSettingInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "searchRadius": {
- "name": "searchRadius",
- "type": "BigFloat"
- },
- "zip": {
- "name": "zip",
- "type": "String"
- },
- "geo": {
- "name": "geo",
- "type": "GeoJSON"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "userId": {
- "name": "userId",
- "type": "UUID"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateUserSettingPayload",
- "ofType": null
- }
- },
- "updateUserSettingByUserId": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "UserSetting",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateUserSettingByUserIdInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "searchRadius": {
- "name": "searchRadius",
- "type": "BigFloat"
- },
- "zip": {
- "name": "zip",
- "type": "String"
- },
- "geo": {
- "name": "geo",
- "type": "GeoJSON"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "userId": {
- "name": "userId",
- "type": "UUID"
- }
- }
- },
- "userId": {
- "name": "userId",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateUserSettingPayload",
- "ofType": null
- }
- },
- "updateUser": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "User",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateUserInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "type": {
- "name": "type",
- "type": "Int"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateUserPayload",
- "ofType": null
- }
- },
- "deleteActionItem": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "ActionItem",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteActionItemInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteActionItemPayload",
- "ofType": null
- }
- },
- "deleteActionResult": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "ActionResult",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteActionResultInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteActionResultPayload",
- "ofType": null
- }
- },
- "deleteAction": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "Action",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteActionInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteActionPayload",
- "ofType": null
- }
- },
- "deleteGoal": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "Goal",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteGoalInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteGoalPayload",
- "ofType": null
- }
- },
- "deleteLocation": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "Location",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteLocationInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteLocationPayload",
- "ofType": null
- }
- },
- "deleteNewsUpdate": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "NewsUpdate",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteNewsUpdateInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteNewsUpdatePayload",
- "ofType": null
- }
- },
- "deleteUserActionItem": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "UserActionItem",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteUserActionItemInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteUserActionItemPayload",
- "ofType": null
- }
- },
- "deleteUserActionResult": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "UserActionResult",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteUserActionResultInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteUserActionResultPayload",
- "ofType": null
- }
- },
- "deleteUserAction": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "UserAction",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteUserActionInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteUserActionPayload",
- "ofType": null
- }
- },
- "deleteUserCharacteristic": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "UserCharacteristic",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteUserCharacteristicInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteUserCharacteristicPayload",
- "ofType": null
- }
- },
- "deleteUserCharacteristicByUserId": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "UserCharacteristic",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteUserCharacteristicByUserIdInput",
- "properties": {
- "userId": {
- "name": "userId",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteUserCharacteristicPayload",
- "ofType": null
- }
- },
- "deleteUserConnection": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "UserConnection",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteUserConnectionInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteUserConnectionPayload",
- "ofType": null
- }
- },
- "deleteUserContact": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "UserContact",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteUserContactInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteUserContactPayload",
- "ofType": null
- }
- },
- "deleteUserEmail": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "UserEmail",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteUserEmailInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteUserEmailPayload",
- "ofType": null
- }
- },
- "deleteUserEmailByEmail": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "UserEmail",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteUserEmailByEmailInput",
- "properties": {
- "email": {
- "name": "email",
- "isNotNull": true,
- "type": "LaunchqlInternalTypeEmail"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteUserEmailPayload",
- "ofType": null
- }
- },
- "deleteUserProfile": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "UserProfile",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteUserProfileInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteUserProfilePayload",
- "ofType": null
- }
- },
- "deleteUserProfileByUserId": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "UserProfile",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteUserProfileByUserIdInput",
- "properties": {
- "userId": {
- "name": "userId",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteUserProfilePayload",
- "ofType": null
- }
- },
- "deleteUserSetting": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "UserSetting",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteUserSettingInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteUserSettingPayload",
- "ofType": null
- }
- },
- "deleteUserSettingByUserId": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "UserSetting",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteUserSettingByUserIdInput",
- "properties": {
- "userId": {
- "name": "userId",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteUserSettingPayload",
- "ofType": null
- }
- },
- "deleteUser": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "User",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteUserInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteUserPayload",
- "ofType": null
- }
- },
- "login": {
- "qtype": "mutation",
- "mutationType": "other",
- "model": "ApiToken",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "LoginInput",
- "properties": {
- "email": {
- "name": "email",
- "isNotNull": true,
- "type": "String"
- },
- "password": {
- "name": "password",
- "isNotNull": true,
- "type": "String"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "LoginPayload",
- "ofType": null
- }
- },
- "register": {
- "qtype": "mutation",
- "mutationType": "other",
- "model": "ApiToken",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "RegisterInput",
- "properties": {
- "email": {
- "name": "email",
- "type": "String"
- },
- "password": {
- "name": "password",
- "type": "String"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "RegisterPayload",
- "ofType": null
- }
- }
-}
\ No newline at end of file
diff --git a/graphql/codegen/__fixtures__/api/queries.json b/graphql/codegen/__fixtures__/api/queries.json
deleted file mode 100644
index afa9abfd3..000000000
--- a/graphql/codegen/__fixtures__/api/queries.json
+++ /dev/null
@@ -1,800 +0,0 @@
-{
- "actionItems": {
- "qtype": "getMany",
- "model": "ActionItem",
- "selection": [
- "id",
- "name",
- "description",
- "link",
- "type",
- "itemOrder",
- "requiredItem",
- "notificationText",
- "embedCode",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "actionId",
- "ownerId",
- "userActionItems"
- ]
- },
- "actionResults": {
- "qtype": "getMany",
- "model": "ActionResult",
- "selection": [
- "id",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "actionId",
- "ownerId",
- "userActionResults"
- ]
- },
- "actions": {
- "qtype": "getMany",
- "model": "Action",
- "selection": [
- "id",
- "name",
- "photo",
- "title",
- "description",
- "locationRadius",
- "url",
- "timeRequired",
- "startDate",
- "endDate",
- "approved",
- "rewardAmount",
- "activityFeedText",
- "callToAction",
- "completedActionText",
- "descriptionHeader",
- "tags",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "locationId",
- "ownerId",
- "actionResults",
- "actionItems",
- "userActions",
- "userActionResults",
- "userActionItems"
- ]
- },
- "goals": {
- "qtype": "getMany",
- "model": "Goal",
- "selection": [
- "id",
- "name",
- "shortName",
- "icon",
- "subHead",
- "audio",
- "audioDuration",
- "explanationTitle",
- "explanation",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt"
- ]
- },
- "locations": {
- "qtype": "getMany",
- "model": "Location",
- "selection": [
- "id",
- "geo",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "actions"
- ]
- },
- "newsUpdates": {
- "qtype": "getMany",
- "model": "NewsUpdate",
- "selection": [
- "id",
- "name",
- "description",
- "photo",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt"
- ]
- },
- "userActionItems": {
- "qtype": "getMany",
- "model": "UserActionItem",
- "selection": [
- "id",
- "date",
- "value",
- "status",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "userId",
- "actionId",
- "userActionId",
- "actionItemId"
- ]
- },
- "userActionResults": {
- "qtype": "getMany",
- "model": "UserActionResult",
- "selection": [
- "id",
- "date",
- "value",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "userId",
- "actionId",
- "userActionId",
- "actionResultId"
- ]
- },
- "userActions": {
- "qtype": "getMany",
- "model": "UserAction",
- "selection": [
- "id",
- "actionStarted",
- "verified",
- "verifiedDate",
- "status",
- "userRating",
- "rejected",
- "rejectedReason",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "userId",
- "verifierId",
- "actionId",
- "userActionResults",
- "userActionItems"
- ]
- },
- "userCharacteristics": {
- "qtype": "getMany",
- "model": "UserCharacteristic",
- "selection": [
- "id",
- "income",
- "gender",
- "race",
- "age",
- "dob",
- "education",
- "homeOwnership",
- "treeHuggerLevel",
- "freeTime",
- "researchToDoer",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "userId"
- ]
- },
- "userConnections": {
- "qtype": "getMany",
- "model": "UserConnection",
- "selection": [
- "id",
- "accepted",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "requesterId",
- "responderId"
- ]
- },
- "userContacts": {
- "qtype": "getMany",
- "model": "UserContact",
- "selection": [
- "id",
- "vcf",
- "fullName",
- "emails",
- "device",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "userId"
- ]
- },
- "userEmails": {
- "qtype": "getMany",
- "model": "UserEmail",
- "selection": [
- "id",
- "userId",
- "email",
- "isVerified"
- ]
- },
- "userProfiles": {
- "qtype": "getMany",
- "model": "UserProfile",
- "selection": [
- "id",
- "profilePicture",
- "bio",
- "reputation",
- "firstName",
- "lastName",
- "tags",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "userId"
- ]
- },
- "userSettings": {
- "qtype": "getMany",
- "model": "UserSetting",
- "selection": [
- "id",
- "searchRadius",
- "zip",
- "geo",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "userId"
- ]
- },
- "users": {
- "qtype": "getMany",
- "model": "User",
- "selection": [
- "id",
- "type",
- "userEmails",
- "userProfiles",
- "userSettings",
- "userCharacteristics",
- "userContacts",
- "userConnectionsByRequesterId",
- "userConnectionsByResponderId",
- "ownedActions",
- "ownedActionResults",
- "ownedActionItems",
- "userActions",
- "userActionsByVerifierId",
- "userActionResults",
- "userActionItems"
- ]
- },
- "actionItem": {
- "model": "ActionItem",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "name",
- "description",
- "link",
- "type",
- "itemOrder",
- "requiredItem",
- "notificationText",
- "embedCode",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "actionId",
- "ownerId",
- "userActionItems"
- ]
- },
- "actionResult": {
- "model": "ActionResult",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "actionId",
- "ownerId",
- "userActionResults"
- ]
- },
- "action": {
- "model": "Action",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "name",
- "photo",
- "title",
- "description",
- "locationRadius",
- "url",
- "timeRequired",
- "startDate",
- "endDate",
- "approved",
- "rewardAmount",
- "activityFeedText",
- "callToAction",
- "completedActionText",
- "descriptionHeader",
- "tags",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "locationId",
- "ownerId",
- "actionResults",
- "actionItems",
- "userActions",
- "userActionResults",
- "userActionItems"
- ]
- },
- "goal": {
- "model": "Goal",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "name",
- "shortName",
- "icon",
- "subHead",
- "audio",
- "audioDuration",
- "explanationTitle",
- "explanation",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt"
- ]
- },
- "location": {
- "model": "Location",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "geo",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "actions"
- ]
- },
- "newsUpdate": {
- "model": "NewsUpdate",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "name",
- "description",
- "photo",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt"
- ]
- },
- "userActionItem": {
- "model": "UserActionItem",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "date",
- "value",
- "status",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "userId",
- "actionId",
- "userActionId",
- "actionItemId"
- ]
- },
- "userActionResult": {
- "model": "UserActionResult",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "date",
- "value",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "userId",
- "actionId",
- "userActionId",
- "actionResultId"
- ]
- },
- "userAction": {
- "model": "UserAction",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "actionStarted",
- "verified",
- "verifiedDate",
- "status",
- "userRating",
- "rejected",
- "rejectedReason",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "userId",
- "verifierId",
- "actionId",
- "userActionResults",
- "userActionItems"
- ]
- },
- "userCharacteristic": {
- "model": "UserCharacteristic",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "income",
- "gender",
- "race",
- "age",
- "dob",
- "education",
- "homeOwnership",
- "treeHuggerLevel",
- "freeTime",
- "researchToDoer",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "userId"
- ]
- },
- "userCharacteristicByUserId": {
- "model": "UserCharacteristic",
- "qtype": "getOne",
- "properties": {
- "userId": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "income",
- "gender",
- "race",
- "age",
- "dob",
- "education",
- "homeOwnership",
- "treeHuggerLevel",
- "freeTime",
- "researchToDoer",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "userId"
- ]
- },
- "userConnection": {
- "model": "UserConnection",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "accepted",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "requesterId",
- "responderId"
- ]
- },
- "userContact": {
- "model": "UserContact",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "vcf",
- "fullName",
- "emails",
- "device",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "userId"
- ]
- },
- "userEmail": {
- "model": "UserEmail",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "userId",
- "email",
- "isVerified"
- ]
- },
- "userEmailByEmail": {
- "model": "UserEmail",
- "qtype": "getOne",
- "properties": {
- "email": {
- "isNotNull": true,
- "type": "LaunchqlInternalTypeEmail"
- }
- },
- "selection": [
- "id",
- "userId",
- "email",
- "isVerified"
- ]
- },
- "userProfile": {
- "model": "UserProfile",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "profilePicture",
- "bio",
- "reputation",
- "firstName",
- "lastName",
- "tags",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "userId"
- ]
- },
- "userProfileByUserId": {
- "model": "UserProfile",
- "qtype": "getOne",
- "properties": {
- "userId": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "profilePicture",
- "bio",
- "reputation",
- "firstName",
- "lastName",
- "tags",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "userId"
- ]
- },
- "userSetting": {
- "model": "UserSetting",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "searchRadius",
- "zip",
- "geo",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "userId"
- ]
- },
- "userSettingByUserId": {
- "model": "UserSetting",
- "qtype": "getOne",
- "properties": {
- "userId": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "searchRadius",
- "zip",
- "geo",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "userId"
- ]
- },
- "user": {
- "model": "User",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "type",
- "userEmails",
- "userProfiles",
- "userSettings",
- "userCharacteristics",
- "userContacts",
- "userConnectionsByRequesterId",
- "userConnectionsByResponderId",
- "ownedActions",
- "ownedActionResults",
- "ownedActionItems",
- "userActions",
- "userActionsByVerifierId",
- "userActionResults",
- "userActionItems"
- ]
- },
- "getCurrentUser": {
- "model": "User",
- "qtype": "getOne",
- "properties": {},
- "selection": [
- "id",
- "type",
- "userEmails",
- "userProfiles",
- "userSettings",
- "userCharacteristics",
- "userContacts",
- "userConnectionsByRequesterId",
- "userConnectionsByResponderId",
- "ownedActions",
- "ownedActionResults",
- "ownedActionItems",
- "userActions",
- "userActionsByVerifierId",
- "userActionResults",
- "userActionItems"
- ]
- },
- "_meta": {
- "model": "Metaschema",
- "qtype": "getOne",
- "properties": {},
- "selection": [
- "tables"
- ]
- }
-}
\ No newline at end of file
diff --git a/graphql/codegen/__fixtures__/api/query-nested-selection-many.json b/graphql/codegen/__fixtures__/api/query-nested-selection-many.json
deleted file mode 100644
index 339190688..000000000
--- a/graphql/codegen/__fixtures__/api/query-nested-selection-many.json
+++ /dev/null
@@ -1,42 +0,0 @@
-{
- "actionItems": {
- "qtype": "getMany",
- "model": "ActionItem",
- "selection": [
- "id",
- "name",
- "description",
- "type",
- "itemOrder",
- "isRequired",
- "notificationText",
- "embedCode",
- "url",
- "media",
- "ownerId",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "actionId",
- {
- "name": "userActionItems",
- "qtype": "getMany",
- "model": "UserActionItem",
- "selection": [
- "id",
- "value",
- "status",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "userId",
- "actionId",
- "userActionId",
- "actionItemId"
- ]
- }
- ]
- }
-}
diff --git a/graphql/codegen/__fixtures__/api/query-nested-selection-one.json b/graphql/codegen/__fixtures__/api/query-nested-selection-one.json
deleted file mode 100644
index e2e407c0a..000000000
--- a/graphql/codegen/__fixtures__/api/query-nested-selection-one.json
+++ /dev/null
@@ -1,226 +0,0 @@
-{
- "action": {
- "model": "Action",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "slug",
- "photo",
- "title",
- "description",
- "discoveryHeader",
- "discoveryDescription",
- "enableNotifications",
- "enableNotificationsText",
- "search",
- "locationRadius",
- "startDate",
- "endDate",
- "approved",
- "rewardAmount",
- "activityFeedText",
- "callToAction",
- "completedActionText",
- "alreadyCompletedActionText",
- "tags",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "ownerId",
- {
- "name": "actionGoals",
- "qtype": "getMany",
- "model": "ActionGoal",
- "selection": [
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "actionId",
- "goalId",
- "ownerId"
- ]
- },
- {
- "name": "actionResults",
- "qtype": "getMany",
- "model": "ActionResult",
- "selection": [
- "id",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "actionId",
- "ownerId"
- ]
- },
- {
- "name": "actionItems",
- "qtype": "getMany",
- "model": "ActionItem",
- "selection": [
- "id",
- "name",
- "description",
- "type",
- "itemOrder",
- "isRequired",
- "notificationText",
- "embedCode",
- "url",
- "media",
- "ownerId",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "actionId"
- ]
- },
- {
- "name": "userActions",
- "qtype": "getMany",
- "model": "UserAction",
- "selection": [
- "id",
- "actionStarted",
- "complete",
- "verified",
- "verifiedDate",
- "userRating",
- "rejected",
- "rejectedReason",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "userId",
- "verifierId",
- "actionId"
- ]
- },
- {
- "name": "userActionResults",
- "qtype": "getMany",
- "model": "UserActionResult",
- "selection": [
- "id",
- "value",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "userId",
- "actionId",
- "userActionId",
- "actionResultId"
- ]
- },
- {
- "name": "userActionItems",
- "qtype": "getMany",
- "model": "UserActionItem",
- "selection": [
- "id",
- "value",
- "status",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "userId",
- "actionId",
- "userActionId",
- "actionItemId"
- ]
- },
- {
- "name": "userPassActions",
- "qtype": "getMany",
- "model": "UserPassAction",
- "selection": [
- "id",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "userId",
- "actionId"
- ]
- },
- {
- "name": "userSavedActions",
- "qtype": "getMany",
- "model": "UserSavedAction",
- "selection": [
- "id",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "userId",
- "actionId"
- ]
- },
- {
- "name": "userViewedActions",
- "qtype": "getMany",
- "model": "UserViewedAction",
- "selection": [
- "id",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "userId",
- "actionId"
- ]
- },
- {
- "name": "userActionReactions",
- "qtype": "getMany",
- "model": "UserActionReaction",
- "selection": [
- "id",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "userActionId",
- "userId",
- "reacterId",
- "actionId"
- ]
- },
- "searchRank",
- {
- "name": "goals",
- "qtype": "getMany",
- "model": "Goal",
- "selection": [
- "id",
- "name",
- "slug",
- "shortName",
- "icon",
- "subHead",
- "tags",
- "search",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "searchRank"
- ]
- }
- ]
- }
-}
diff --git a/graphql/codegen/__fixtures__/mutations.json b/graphql/codegen/__fixtures__/mutations.json
deleted file mode 100644
index 6522c7cac..000000000
--- a/graphql/codegen/__fixtures__/mutations.json
+++ /dev/null
@@ -1,3717 +0,0 @@
-{
- "createArticle": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "Article",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreateArticleInput",
- "properties": {
- "article": {
- "name": "article",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "header": {
- "name": "header",
- "type": "String"
- },
- "url": {
- "name": "url",
- "type": "String"
- },
- "image": {
- "name": "image",
- "type": "String"
- },
- "datePublished": {
- "name": "datePublished",
- "type": "Datetime"
- },
- "ownerId": {
- "name": "ownerId",
- "isNotNull": true,
- "type": "UUID"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreateArticlePayload",
- "ofType": null
- }
- },
- "createCampaignAction": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "CampaignAction",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreateCampaignActionInput",
- "properties": {
- "campaignAction": {
- "name": "campaignAction",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "isNotNull": true,
- "type": "String"
- },
- "description": {
- "name": "description",
- "type": "String"
- },
- "rewardUnit": {
- "name": "rewardUnit",
- "type": "String"
- },
- "rewardAmount": {
- "name": "rewardAmount",
- "type": "BigFloat"
- },
- "totalBitcoinLimit": {
- "name": "totalBitcoinLimit",
- "type": "BigFloat"
- },
- "actionWeeklyLimit": {
- "name": "actionWeeklyLimit",
- "type": "Int"
- },
- "actionDailyLimit": {
- "name": "actionDailyLimit",
- "type": "Int"
- },
- "userTotalLimit": {
- "name": "userTotalLimit",
- "type": "Int"
- },
- "userWeeklyLimit": {
- "name": "userWeeklyLimit",
- "type": "Int"
- },
- "userDailyLimit": {
- "name": "userDailyLimit",
- "type": "Int"
- },
- "startDate": {
- "name": "startDate",
- "type": "Datetime"
- },
- "endDate": {
- "name": "endDate",
- "type": "Datetime"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "campaignId": {
- "name": "campaignId",
- "isNotNull": true,
- "type": "UUID"
- },
- "partnerId": {
- "name": "partnerId",
- "isNotNull": true,
- "type": "UUID"
- },
- "thumbnailId": {
- "name": "thumbnailId",
- "type": "UUID"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreateCampaignActionPayload",
- "ofType": null
- }
- },
- "createCampaign": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "Campaign",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreateCampaignInput",
- "properties": {
- "campaign": {
- "name": "campaign",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "description": {
- "name": "description",
- "type": "String"
- },
- "startDate": {
- "name": "startDate",
- "type": "Datetime"
- },
- "endDate": {
- "name": "endDate",
- "type": "Datetime"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "partnerId": {
- "name": "partnerId",
- "isNotNull": true,
- "type": "UUID"
- },
- "logoId": {
- "name": "logoId",
- "type": "UUID"
- },
- "backgroundImageId": {
- "name": "backgroundImageId",
- "type": "UUID"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreateCampaignPayload",
- "ofType": null
- }
- },
- "createCompletedAction": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "CompletedAction",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreateCompletedActionInput",
- "properties": {
- "completedAction": {
- "name": "completedAction",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "dateCompleted": {
- "name": "dateCompleted",
- "type": "Datetime"
- },
- "txid": {
- "name": "txid",
- "type": "String"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "userId": {
- "name": "userId",
- "isNotNull": true,
- "type": "UUID"
- },
- "actionId": {
- "name": "actionId",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreateCompletedActionPayload",
- "ofType": null
- }
- },
- "createImage": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "Image",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreateImageInput",
- "properties": {
- "image": {
- "name": "image",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "url": {
- "name": "url",
- "type": "String"
- },
- "versions": {
- "name": "versions",
- "isList": true,
- "type": "JSON"
- },
- "versions2": {
- "name": "versions2",
- "isList": true,
- "isListNotNull": true,
- "type": "JSON"
- },
- "versions3": {
- "name": "versions3",
- "isList": true,
- "isListNotNull": true,
- "isNotNull": true,
- "type": "JSON"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreateImagePayload",
- "ofType": null
- }
- },
- "createMerchant": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "Merchant",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreateMerchantInput",
- "properties": {
- "merchant": {
- "name": "merchant",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "bitcoinAddress": {
- "name": "bitcoinAddress",
- "type": "String"
- },
- "description": {
- "name": "description",
- "type": "String"
- },
- "ownerId": {
- "name": "ownerId",
- "isNotNull": true,
- "type": "UUID"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "logoId": {
- "name": "logoId",
- "type": "UUID"
- },
- "backgroundImageId": {
- "name": "backgroundImageId",
- "type": "UUID"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreateMerchantPayload",
- "ofType": null
- }
- },
- "createPartner": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "Partner",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreatePartnerInput",
- "properties": {
- "partner": {
- "name": "partner",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "description": {
- "name": "description",
- "type": "String"
- },
- "bitcoinAddress": {
- "name": "bitcoinAddress",
- "type": "String"
- },
- "ownerId": {
- "name": "ownerId",
- "isNotNull": true,
- "type": "UUID"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "logoId": {
- "name": "logoId",
- "type": "UUID"
- },
- "backgroundImageId": {
- "name": "backgroundImageId",
- "type": "UUID"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreatePartnerPayload",
- "ofType": null
- }
- },
- "createProduct": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "Product",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreateProductInput",
- "properties": {
- "product": {
- "name": "product",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "url": {
- "name": "url",
- "type": "String"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "merchantId": {
- "name": "merchantId",
- "isNotNull": true,
- "type": "UUID"
- },
- "iconId": {
- "name": "iconId",
- "type": "UUID"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreateProductPayload",
- "ofType": null
- }
- },
- "createService": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "Service",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreateServiceInput",
- "properties": {
- "service": {
- "name": "service",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "description": {
- "name": "description",
- "type": "String"
- },
- "type": {
- "name": "type",
- "type": "String"
- },
- "data": {
- "name": "data",
- "type": "JSON"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "campaignActionId": {
- "name": "campaignActionId",
- "type": "UUID"
- },
- "iconId": {
- "name": "iconId",
- "type": "UUID"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreateServicePayload",
- "ofType": null
- }
- },
- "createShopifyAccount": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "ShopifyAccount",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreateShopifyAccountInput",
- "properties": {
- "shopifyAccount": {
- "name": "shopifyAccount",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "shopLink": {
- "name": "shopLink",
- "type": "String"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "partnerId": {
- "name": "partnerId",
- "isNotNull": true,
- "type": "UUID"
- },
- "iconId": {
- "name": "iconId",
- "type": "UUID"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreateShopifyAccountPayload",
- "ofType": null
- }
- },
- "createShopifyOrder": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "ShopifyOrder",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreateShopifyOrderInput",
- "properties": {
- "shopifyOrder": {
- "name": "shopifyOrder",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "orderId": {
- "name": "orderId",
- "type": "Int"
- },
- "email": {
- "name": "email",
- "type": "String"
- },
- "orderStatus": {
- "name": "orderStatus",
- "type": "String"
- },
- "financialStatus": {
- "name": "financialStatus",
- "type": "String"
- },
- "subtotalPrice": {
- "name": "subtotalPrice",
- "type": "BigFloat"
- },
- "orderCreatedAt": {
- "name": "orderCreatedAt",
- "type": "Datetime"
- },
- "orderClosedAt": {
- "name": "orderClosedAt",
- "type": "Datetime"
- },
- "bitcoinUpdatedAt": {
- "name": "bitcoinUpdatedAt",
- "type": "Datetime"
- },
- "bitcoinRebate": {
- "name": "bitcoinRebate",
- "type": "BigFloat"
- },
- "bitcoinAddress": {
- "name": "bitcoinAddress",
- "type": "String"
- },
- "paidDate": {
- "name": "paidDate",
- "type": "Datetime"
- },
- "transactionId": {
- "name": "transactionId",
- "type": "String"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "partnerId": {
- "name": "partnerId",
- "isNotNull": true,
- "type": "UUID"
- },
- "shopifyAccountId": {
- "name": "shopifyAccountId",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreateShopifyOrderPayload",
- "ofType": null
- }
- },
- "createUser": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "User",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreateUserInput",
- "properties": {
- "user": {
- "name": "user",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "username": {
- "name": "username",
- "type": "String"
- },
- "bitcoinAddress": {
- "name": "bitcoinAddress",
- "type": "String"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreateUserPayload",
- "ofType": null
- }
- },
- "createApiToken": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "ApiToken",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreateApiTokenInput",
- "properties": {
- "apiToken": {
- "name": "apiToken",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "userId": {
- "name": "userId",
- "isNotNull": true,
- "type": "UUID"
- },
- "accessToken": {
- "name": "accessToken",
- "type": "String"
- },
- "accessTokenExpiresAt": {
- "name": "accessTokenExpiresAt",
- "type": "Datetime"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreateApiTokenPayload",
- "ofType": null
- }
- },
- "createInitiativesPyraRecord": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "InitiativesPyraRecord",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreateInitiativesPyraRecordInput",
- "properties": {
- "initiativesPyraRecord": {
- "name": "initiativesPyraRecord",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "email": {
- "name": "email",
- "type": "String"
- },
- "bitcoinAddress": {
- "name": "bitcoinAddress",
- "type": "String"
- },
- "date": {
- "name": "date",
- "type": "Datetime"
- },
- "actionsCompleted": {
- "name": "actionsCompleted",
- "type": "Int"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "actionId": {
- "name": "actionId",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreateInitiativesPyraRecordPayload",
- "ofType": null
- }
- },
- "createPermission": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "Permission",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreatePermissionInput",
- "properties": {
- "permission": {
- "name": "permission",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "userId": {
- "name": "userId",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreatePermissionPayload",
- "ofType": null
- }
- },
- "createShopifySecret": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "ShopifySecret",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreateShopifySecretInput",
- "properties": {
- "shopifySecret": {
- "name": "shopifySecret",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "shopifyAccountId": {
- "name": "shopifyAccountId",
- "isNotNull": true,
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "isNotNull": true,
- "type": "String"
- },
- "value": {
- "name": "value",
- "type": "String"
- },
- "enc": {
- "name": "enc",
- "type": "String"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreateShopifySecretPayload",
- "ofType": null
- }
- },
- "createUserEncryptedSecret": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "UserEncryptedSecret",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreateUserEncryptedSecretInput",
- "properties": {
- "userEncryptedSecret": {
- "name": "userEncryptedSecret",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "userId": {
- "name": "userId",
- "isNotNull": true,
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "isNotNull": true,
- "type": "String"
- },
- "value": {
- "name": "value",
- "type": "String"
- },
- "enc": {
- "name": "enc",
- "type": "String"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreateUserEncryptedSecretPayload",
- "ofType": null
- }
- },
- "createUserSecret": {
- "qtype": "mutation",
- "mutationType": "create",
- "model": "UserSecret",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "CreateUserSecretInput",
- "properties": {
- "userSecret": {
- "name": "userSecret",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "userId": {
- "name": "userId",
- "isNotNull": true,
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "isNotNull": true,
- "type": "String"
- },
- "value": {
- "name": "value",
- "type": "String"
- }
- }
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "CreateUserSecretPayload",
- "ofType": null
- }
- },
- "updateArticle": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "Article",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateArticleInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "header": {
- "name": "header",
- "type": "String"
- },
- "url": {
- "name": "url",
- "type": "String"
- },
- "image": {
- "name": "image",
- "type": "String"
- },
- "datePublished": {
- "name": "datePublished",
- "type": "Datetime"
- },
- "ownerId": {
- "name": "ownerId",
- "type": "UUID"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateArticlePayload",
- "ofType": null
- }
- },
- "updateCampaignAction": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "CampaignAction",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateCampaignActionInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "description": {
- "name": "description",
- "type": "String"
- },
- "rewardUnit": {
- "name": "rewardUnit",
- "type": "String"
- },
- "rewardAmount": {
- "name": "rewardAmount",
- "type": "BigFloat"
- },
- "totalBitcoinLimit": {
- "name": "totalBitcoinLimit",
- "type": "BigFloat"
- },
- "actionWeeklyLimit": {
- "name": "actionWeeklyLimit",
- "type": "Int"
- },
- "actionDailyLimit": {
- "name": "actionDailyLimit",
- "type": "Int"
- },
- "userTotalLimit": {
- "name": "userTotalLimit",
- "type": "Int"
- },
- "userWeeklyLimit": {
- "name": "userWeeklyLimit",
- "type": "Int"
- },
- "userDailyLimit": {
- "name": "userDailyLimit",
- "type": "Int"
- },
- "startDate": {
- "name": "startDate",
- "type": "Datetime"
- },
- "endDate": {
- "name": "endDate",
- "type": "Datetime"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "campaignId": {
- "name": "campaignId",
- "type": "UUID"
- },
- "partnerId": {
- "name": "partnerId",
- "type": "UUID"
- },
- "thumbnailId": {
- "name": "thumbnailId",
- "type": "UUID"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateCampaignActionPayload",
- "ofType": null
- }
- },
- "updateCampaignActionByName": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "CampaignAction",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateCampaignActionByNameInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "description": {
- "name": "description",
- "type": "String"
- },
- "rewardUnit": {
- "name": "rewardUnit",
- "type": "String"
- },
- "rewardAmount": {
- "name": "rewardAmount",
- "type": "BigFloat"
- },
- "totalBitcoinLimit": {
- "name": "totalBitcoinLimit",
- "type": "BigFloat"
- },
- "actionWeeklyLimit": {
- "name": "actionWeeklyLimit",
- "type": "Int"
- },
- "actionDailyLimit": {
- "name": "actionDailyLimit",
- "type": "Int"
- },
- "userTotalLimit": {
- "name": "userTotalLimit",
- "type": "Int"
- },
- "userWeeklyLimit": {
- "name": "userWeeklyLimit",
- "type": "Int"
- },
- "userDailyLimit": {
- "name": "userDailyLimit",
- "type": "Int"
- },
- "startDate": {
- "name": "startDate",
- "type": "Datetime"
- },
- "endDate": {
- "name": "endDate",
- "type": "Datetime"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "campaignId": {
- "name": "campaignId",
- "type": "UUID"
- },
- "partnerId": {
- "name": "partnerId",
- "type": "UUID"
- },
- "thumbnailId": {
- "name": "thumbnailId",
- "type": "UUID"
- }
- }
- },
- "name": {
- "name": "name",
- "isNotNull": true,
- "type": "String"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateCampaignActionPayload",
- "ofType": null
- }
- },
- "updateCampaign": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "Campaign",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateCampaignInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "description": {
- "name": "description",
- "type": "String"
- },
- "startDate": {
- "name": "startDate",
- "type": "Datetime"
- },
- "endDate": {
- "name": "endDate",
- "type": "Datetime"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "partnerId": {
- "name": "partnerId",
- "type": "UUID"
- },
- "logoId": {
- "name": "logoId",
- "type": "UUID"
- },
- "backgroundImageId": {
- "name": "backgroundImageId",
- "type": "UUID"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateCampaignPayload",
- "ofType": null
- }
- },
- "updateCompletedAction": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "CompletedAction",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateCompletedActionInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "dateCompleted": {
- "name": "dateCompleted",
- "type": "Datetime"
- },
- "txid": {
- "name": "txid",
- "type": "String"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "userId": {
- "name": "userId",
- "type": "UUID"
- },
- "actionId": {
- "name": "actionId",
- "type": "UUID"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateCompletedActionPayload",
- "ofType": null
- }
- },
- "updateImage": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "Image",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateImageInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "url": {
- "name": "url",
- "type": "String"
- },
- "versions": {
- "name": "versions",
- "isList": true,
- "type": "JSON"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateImagePayload",
- "ofType": null
- }
- },
- "updateMerchant": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "Merchant",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateMerchantInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "bitcoinAddress": {
- "name": "bitcoinAddress",
- "type": "String"
- },
- "description": {
- "name": "description",
- "type": "String"
- },
- "ownerId": {
- "name": "ownerId",
- "type": "UUID"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "logoId": {
- "name": "logoId",
- "type": "UUID"
- },
- "backgroundImageId": {
- "name": "backgroundImageId",
- "type": "UUID"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateMerchantPayload",
- "ofType": null
- }
- },
- "updatePartner": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "Partner",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdatePartnerInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "description": {
- "name": "description",
- "type": "String"
- },
- "bitcoinAddress": {
- "name": "bitcoinAddress",
- "type": "String"
- },
- "ownerId": {
- "name": "ownerId",
- "type": "UUID"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "logoId": {
- "name": "logoId",
- "type": "UUID"
- },
- "backgroundImageId": {
- "name": "backgroundImageId",
- "type": "UUID"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdatePartnerPayload",
- "ofType": null
- }
- },
- "updateProduct": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "Product",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateProductInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "url": {
- "name": "url",
- "type": "String"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "merchantId": {
- "name": "merchantId",
- "type": "UUID"
- },
- "iconId": {
- "name": "iconId",
- "type": "UUID"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateProductPayload",
- "ofType": null
- }
- },
- "updateService": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "Service",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateServiceInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "description": {
- "name": "description",
- "type": "String"
- },
- "type": {
- "name": "type",
- "type": "String"
- },
- "data": {
- "name": "data",
- "type": "JSON"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "campaignActionId": {
- "name": "campaignActionId",
- "type": "UUID"
- },
- "iconId": {
- "name": "iconId",
- "type": "UUID"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateServicePayload",
- "ofType": null
- }
- },
- "updateShopifyAccount": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "ShopifyAccount",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateShopifyAccountInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "shopLink": {
- "name": "shopLink",
- "type": "String"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "partnerId": {
- "name": "partnerId",
- "type": "UUID"
- },
- "iconId": {
- "name": "iconId",
- "type": "UUID"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateShopifyAccountPayload",
- "ofType": null
- }
- },
- "updateShopifyOrder": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "ShopifyOrder",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateShopifyOrderInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "orderId": {
- "name": "orderId",
- "type": "Int"
- },
- "email": {
- "name": "email",
- "type": "String"
- },
- "orderStatus": {
- "name": "orderStatus",
- "type": "String"
- },
- "financialStatus": {
- "name": "financialStatus",
- "type": "String"
- },
- "subtotalPrice": {
- "name": "subtotalPrice",
- "type": "BigFloat"
- },
- "orderCreatedAt": {
- "name": "orderCreatedAt",
- "type": "Datetime"
- },
- "orderClosedAt": {
- "name": "orderClosedAt",
- "type": "Datetime"
- },
- "bitcoinUpdatedAt": {
- "name": "bitcoinUpdatedAt",
- "type": "Datetime"
- },
- "bitcoinRebate": {
- "name": "bitcoinRebate",
- "type": "BigFloat"
- },
- "bitcoinAddress": {
- "name": "bitcoinAddress",
- "type": "String"
- },
- "paidDate": {
- "name": "paidDate",
- "type": "Datetime"
- },
- "transactionId": {
- "name": "transactionId",
- "type": "String"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "partnerId": {
- "name": "partnerId",
- "type": "UUID"
- },
- "shopifyAccountId": {
- "name": "shopifyAccountId",
- "type": "UUID"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateShopifyOrderPayload",
- "ofType": null
- }
- },
- "updateShopifyOrderByOrderIdAndEmailAndShopifyAccountId": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "ShopifyOrder",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateShopifyOrderByOrderIdAndEmailAndShopifyAccountIdInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "orderId": {
- "name": "orderId",
- "type": "Int"
- },
- "email": {
- "name": "email",
- "type": "String"
- },
- "orderStatus": {
- "name": "orderStatus",
- "type": "String"
- },
- "financialStatus": {
- "name": "financialStatus",
- "type": "String"
- },
- "subtotalPrice": {
- "name": "subtotalPrice",
- "type": "BigFloat"
- },
- "orderCreatedAt": {
- "name": "orderCreatedAt",
- "type": "Datetime"
- },
- "orderClosedAt": {
- "name": "orderClosedAt",
- "type": "Datetime"
- },
- "bitcoinUpdatedAt": {
- "name": "bitcoinUpdatedAt",
- "type": "Datetime"
- },
- "bitcoinRebate": {
- "name": "bitcoinRebate",
- "type": "BigFloat"
- },
- "bitcoinAddress": {
- "name": "bitcoinAddress",
- "type": "String"
- },
- "paidDate": {
- "name": "paidDate",
- "type": "Datetime"
- },
- "transactionId": {
- "name": "transactionId",
- "type": "String"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "partnerId": {
- "name": "partnerId",
- "type": "UUID"
- },
- "shopifyAccountId": {
- "name": "shopifyAccountId",
- "type": "UUID"
- }
- }
- },
- "orderId": {
- "name": "orderId",
- "isNotNull": true,
- "type": "Int"
- },
- "email": {
- "name": "email",
- "isNotNull": true,
- "type": "String"
- },
- "shopifyAccountId": {
- "name": "shopifyAccountId",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateShopifyOrderPayload",
- "ofType": null
- }
- },
- "updateUser": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "User",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateUserInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "username": {
- "name": "username",
- "type": "String"
- },
- "bitcoinAddress": {
- "name": "bitcoinAddress",
- "type": "String"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateUserPayload",
- "ofType": null
- }
- },
- "updateUserByUsername": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "User",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateUserByUsernameInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "username": {
- "name": "username",
- "type": "String"
- },
- "bitcoinAddress": {
- "name": "bitcoinAddress",
- "type": "String"
- }
- }
- },
- "username": {
- "name": "username",
- "isNotNull": true,
- "type": "String"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateUserPayload",
- "ofType": null
- }
- },
- "updateUserByBitcoinAddress": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "User",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateUserByBitcoinAddressInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "username": {
- "name": "username",
- "type": "String"
- },
- "bitcoinAddress": {
- "name": "bitcoinAddress",
- "type": "String"
- }
- }
- },
- "bitcoinAddress": {
- "name": "bitcoinAddress",
- "isNotNull": true,
- "type": "String"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateUserPayload",
- "ofType": null
- }
- },
- "updateApiToken": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "ApiToken",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateApiTokenInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "userId": {
- "name": "userId",
- "type": "UUID"
- },
- "accessToken": {
- "name": "accessToken",
- "type": "String"
- },
- "accessTokenExpiresAt": {
- "name": "accessTokenExpiresAt",
- "type": "Datetime"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateApiTokenPayload",
- "ofType": null
- }
- },
- "updateApiTokenByAccessToken": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "ApiToken",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateApiTokenByAccessTokenInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "userId": {
- "name": "userId",
- "type": "UUID"
- },
- "accessToken": {
- "name": "accessToken",
- "type": "String"
- },
- "accessTokenExpiresAt": {
- "name": "accessTokenExpiresAt",
- "type": "Datetime"
- }
- }
- },
- "accessToken": {
- "name": "accessToken",
- "isNotNull": true,
- "type": "String"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateApiTokenPayload",
- "ofType": null
- }
- },
- "updateInitiativesPyraRecord": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "InitiativesPyraRecord",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateInitiativesPyraRecordInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "email": {
- "name": "email",
- "type": "String"
- },
- "bitcoinAddress": {
- "name": "bitcoinAddress",
- "type": "String"
- },
- "date": {
- "name": "date",
- "type": "Datetime"
- },
- "actionsCompleted": {
- "name": "actionsCompleted",
- "type": "Int"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "actionId": {
- "name": "actionId",
- "type": "UUID"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateInitiativesPyraRecordPayload",
- "ofType": null
- }
- },
- "updatePermission": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "Permission",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdatePermissionInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "createdBy": {
- "name": "createdBy",
- "type": "UUID"
- },
- "updatedBy": {
- "name": "updatedBy",
- "type": "UUID"
- },
- "createdAt": {
- "name": "createdAt",
- "type": "Datetime"
- },
- "updatedAt": {
- "name": "updatedAt",
- "type": "Datetime"
- },
- "userId": {
- "name": "userId",
- "type": "UUID"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdatePermissionPayload",
- "ofType": null
- }
- },
- "updateShopifySecret": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "ShopifySecret",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateShopifySecretInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "shopifyAccountId": {
- "name": "shopifyAccountId",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "value": {
- "name": "value",
- "type": "String"
- },
- "enc": {
- "name": "enc",
- "type": "String"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateShopifySecretPayload",
- "ofType": null
- }
- },
- "updateShopifySecretByShopifyAccountIdAndName": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "ShopifySecret",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateShopifySecretByShopifyAccountIdAndNameInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "shopifyAccountId": {
- "name": "shopifyAccountId",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "value": {
- "name": "value",
- "type": "String"
- },
- "enc": {
- "name": "enc",
- "type": "String"
- }
- }
- },
- "shopifyAccountId": {
- "name": "shopifyAccountId",
- "isNotNull": true,
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "isNotNull": true,
- "type": "String"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateShopifySecretPayload",
- "ofType": null
- }
- },
- "updateUserEncryptedSecret": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "UserEncryptedSecret",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateUserEncryptedSecretInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "userId": {
- "name": "userId",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "value": {
- "name": "value",
- "type": "String"
- },
- "enc": {
- "name": "enc",
- "type": "String"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateUserEncryptedSecretPayload",
- "ofType": null
- }
- },
- "updateUserEncryptedSecretByUserIdAndName": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "UserEncryptedSecret",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateUserEncryptedSecretByUserIdAndNameInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "userId": {
- "name": "userId",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "value": {
- "name": "value",
- "type": "String"
- },
- "enc": {
- "name": "enc",
- "type": "String"
- }
- }
- },
- "userId": {
- "name": "userId",
- "isNotNull": true,
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "isNotNull": true,
- "type": "String"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateUserEncryptedSecretPayload",
- "ofType": null
- }
- },
- "updateUserSecret": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "UserSecret",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateUserSecretInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "userId": {
- "name": "userId",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "value": {
- "name": "value",
- "type": "String"
- }
- }
- },
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateUserSecretPayload",
- "ofType": null
- }
- },
- "updateUserSecretByUserIdAndName": {
- "qtype": "mutation",
- "mutationType": "patch",
- "model": "UserSecret",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UpdateUserSecretByUserIdAndNameInput",
- "properties": {
- "patch": {
- "name": "patch",
- "isNotNull": true,
- "properties": {
- "id": {
- "name": "id",
- "type": "UUID"
- },
- "userId": {
- "name": "userId",
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "type": "String"
- },
- "value": {
- "name": "value",
- "type": "String"
- }
- }
- },
- "userId": {
- "name": "userId",
- "isNotNull": true,
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "isNotNull": true,
- "type": "String"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UpdateUserSecretPayload",
- "ofType": null
- }
- },
- "deleteArticle": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "Article",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteArticleInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteArticlePayload",
- "ofType": null
- }
- },
- "deleteCampaignAction": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "CampaignAction",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteCampaignActionInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteCampaignActionPayload",
- "ofType": null
- }
- },
- "deleteCampaignActionByName": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "CampaignAction",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteCampaignActionByNameInput",
- "properties": {
- "name": {
- "name": "name",
- "isNotNull": true,
- "type": "String"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteCampaignActionPayload",
- "ofType": null
- }
- },
- "deleteCampaign": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "Campaign",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteCampaignInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteCampaignPayload",
- "ofType": null
- }
- },
- "deleteCompletedAction": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "CompletedAction",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteCompletedActionInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteCompletedActionPayload",
- "ofType": null
- }
- },
- "deleteImage": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "Image",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteImageInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteImagePayload",
- "ofType": null
- }
- },
- "deleteMerchant": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "Merchant",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteMerchantInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteMerchantPayload",
- "ofType": null
- }
- },
- "deletePartner": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "Partner",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeletePartnerInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeletePartnerPayload",
- "ofType": null
- }
- },
- "deleteProduct": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "Product",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteProductInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteProductPayload",
- "ofType": null
- }
- },
- "deleteService": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "Service",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteServiceInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteServicePayload",
- "ofType": null
- }
- },
- "deleteShopifyAccount": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "ShopifyAccount",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteShopifyAccountInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteShopifyAccountPayload",
- "ofType": null
- }
- },
- "deleteShopifyOrder": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "ShopifyOrder",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteShopifyOrderInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteShopifyOrderPayload",
- "ofType": null
- }
- },
- "deleteShopifyOrderByOrderIdAndEmailAndShopifyAccountId": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "ShopifyOrder",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteShopifyOrderByOrderIdAndEmailAndShopifyAccountIdInput",
- "properties": {
- "orderId": {
- "name": "orderId",
- "isNotNull": true,
- "type": "Int"
- },
- "email": {
- "name": "email",
- "isNotNull": true,
- "type": "String"
- },
- "shopifyAccountId": {
- "name": "shopifyAccountId",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteShopifyOrderPayload",
- "ofType": null
- }
- },
- "deleteUser": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "User",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteUserInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteUserPayload",
- "ofType": null
- }
- },
- "deleteUserByUsername": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "User",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteUserByUsernameInput",
- "properties": {
- "username": {
- "name": "username",
- "isNotNull": true,
- "type": "String"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteUserPayload",
- "ofType": null
- }
- },
- "deleteUserByBitcoinAddress": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "User",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteUserByBitcoinAddressInput",
- "properties": {
- "bitcoinAddress": {
- "name": "bitcoinAddress",
- "isNotNull": true,
- "type": "String"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteUserPayload",
- "ofType": null
- }
- },
- "deleteApiToken": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "ApiToken",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteApiTokenInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteApiTokenPayload",
- "ofType": null
- }
- },
- "deleteApiTokenByAccessToken": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "ApiToken",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteApiTokenByAccessTokenInput",
- "properties": {
- "accessToken": {
- "name": "accessToken",
- "isNotNull": true,
- "type": "String"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteApiTokenPayload",
- "ofType": null
- }
- },
- "deleteInitiativesPyraRecord": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "InitiativesPyraRecord",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteInitiativesPyraRecordInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteInitiativesPyraRecordPayload",
- "ofType": null
- }
- },
- "deletePermission": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "Permission",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeletePermissionInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeletePermissionPayload",
- "ofType": null
- }
- },
- "deleteShopifySecret": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "ShopifySecret",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteShopifySecretInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteShopifySecretPayload",
- "ofType": null
- }
- },
- "deleteShopifySecretByShopifyAccountIdAndName": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "ShopifySecret",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteShopifySecretByShopifyAccountIdAndNameInput",
- "properties": {
- "shopifyAccountId": {
- "name": "shopifyAccountId",
- "isNotNull": true,
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "isNotNull": true,
- "type": "String"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteShopifySecretPayload",
- "ofType": null
- }
- },
- "deleteUserEncryptedSecret": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "UserEncryptedSecret",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteUserEncryptedSecretInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteUserEncryptedSecretPayload",
- "ofType": null
- }
- },
- "deleteUserEncryptedSecretByUserIdAndName": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "UserEncryptedSecret",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteUserEncryptedSecretByUserIdAndNameInput",
- "properties": {
- "userId": {
- "name": "userId",
- "isNotNull": true,
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "isNotNull": true,
- "type": "String"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteUserEncryptedSecretPayload",
- "ofType": null
- }
- },
- "deleteUserSecret": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "UserSecret",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteUserSecretInput",
- "properties": {
- "id": {
- "name": "id",
- "isNotNull": true,
- "type": "UUID"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteUserSecretPayload",
- "ofType": null
- }
- },
- "deleteUserSecretByUserIdAndName": {
- "qtype": "mutation",
- "mutationType": "delete",
- "model": "UserSecret",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "DeleteUserSecretByUserIdAndNameInput",
- "properties": {
- "userId": {
- "name": "userId",
- "isNotNull": true,
- "type": "UUID"
- },
- "name": {
- "name": "name",
- "isNotNull": true,
- "type": "String"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "DeleteUserSecretPayload",
- "ofType": null
- }
- },
- "shopifySecretsUpsert": {
- "qtype": "mutation",
- "mutationType": "other",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "ShopifySecretsUpsertInput",
- "properties": {
- "vShopifyAccountId": {
- "name": "vShopifyAccountId",
- "type": "UUID"
- },
- "secretName": {
- "name": "secretName",
- "type": "String"
- },
- "secretValue": {
- "name": "secretValue",
- "type": "String"
- },
- "fieldEncoding": {
- "name": "fieldEncoding",
- "type": "String"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "ShopifySecretsUpsertPayload",
- "ofType": null
- },
- "outputs": [
- {
- "name": "boolean",
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- }
- }
- ]
- },
- "signInRecordFailure": {
- "qtype": "mutation",
- "mutationType": "other",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "SignInRecordFailureInput",
- "properties": {
- "bitcoinAddress": {
- "name": "bitcoinAddress",
- "isNotNull": true,
- "type": "String"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "SignInRecordFailurePayload",
- "ofType": null
- },
- "outputs": []
- },
- "signInRequestChallenge": {
- "qtype": "mutation",
- "mutationType": "other",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "SignInRequestChallengeInput",
- "properties": {
- "bitcoinAddress": {
- "name": "bitcoinAddress",
- "isNotNull": true,
- "type": "String"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "SignInRequestChallengePayload",
- "ofType": null
- },
- "outputs": [
- {
- "name": "string",
- "type": {
- "kind": "SCALAR",
- "name": "String",
- "ofType": null
- }
- }
- ]
- },
- "signInWithChallenge": {
- "qtype": "mutation",
- "mutationType": "other",
- "model": "ApiToken",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "SignInWithChallengeInput",
- "properties": {
- "bitcoinAddress": {
- "name": "bitcoinAddress",
- "isNotNull": true,
- "type": "String"
- },
- "specialValue": {
- "name": "specialValue",
- "isNotNull": true,
- "type": "String"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "SignInWithChallengePayload",
- "ofType": null
- }
- },
- "signUpWithBitcoinAddress": {
- "qtype": "mutation",
- "mutationType": "other",
- "model": "User",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "SignUpWithBitcoinAddressInput",
- "properties": {
- "bitcoinAddress": {
- "name": "bitcoinAddress",
- "type": "String"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "SignUpWithBitcoinAddressPayload",
- "ofType": null
- }
- },
- "userEncryptedSecretsUpsert": {
- "qtype": "mutation",
- "mutationType": "other",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UserEncryptedSecretsUpsertInput",
- "properties": {
- "vUserId": {
- "name": "vUserId",
- "type": "UUID"
- },
- "secretName": {
- "name": "secretName",
- "type": "String"
- },
- "secretValue": {
- "name": "secretValue",
- "type": "String"
- },
- "fieldEncoding": {
- "name": "fieldEncoding",
- "type": "String"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UserEncryptedSecretsUpsertPayload",
- "ofType": null
- },
- "outputs": [
- {
- "name": "boolean",
- "type": {
- "kind": "SCALAR",
- "name": "Boolean",
- "ofType": null
- }
- }
- ]
- },
- "uuidGenerateSeededUuid": {
- "qtype": "mutation",
- "mutationType": "other",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UuidGenerateSeededUuidInput",
- "properties": {
- "seed": {
- "name": "seed",
- "type": "String"
- }
- }
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UuidGenerateSeededUuidPayload",
- "ofType": null
- },
- "outputs": [
- {
- "name": "uuid",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- }
- ]
- },
- "uuidGenerateV4": {
- "qtype": "mutation",
- "mutationType": "other",
- "properties": {
- "input": {
- "isNotNull": true,
- "type": "UuidGenerateV4Input",
- "properties": {}
- }
- },
- "output": {
- "kind": "OBJECT",
- "name": "UuidGenerateV4Payload",
- "ofType": null
- },
- "outputs": [
- {
- "name": "uuid",
- "type": {
- "kind": "SCALAR",
- "name": "UUID",
- "ofType": null
- }
- }
- ]
- }
-}
\ No newline at end of file
diff --git a/graphql/codegen/__fixtures__/queries.json b/graphql/codegen/__fixtures__/queries.json
deleted file mode 100644
index eb372d0d8..000000000
--- a/graphql/codegen/__fixtures__/queries.json
+++ /dev/null
@@ -1,953 +0,0 @@
-{
- "articles": {
- "qtype": "getMany",
- "model": "Article",
- "selection": [
- "id",
- "header",
- "url",
- "image",
- "datePublished",
- "ownerId",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt"
- ]
- },
- "campaignActions": {
- "qtype": "getMany",
- "model": "CampaignAction",
- "selection": [
- "id",
- "name",
- "description",
- "rewardUnit",
- "rewardAmount",
- "totalBitcoinLimit",
- "actionWeeklyLimit",
- "actionDailyLimit",
- "userTotalLimit",
- "userWeeklyLimit",
- "userDailyLimit",
- "startDate",
- "endDate",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "campaignId",
- "partnerId",
- "thumbnailId",
- "campaign",
- "partner",
- "thumbnail",
- "completedActionsByActionId",
- "services",
- "initiativesPyraRecordsByActionId"
- ]
- },
- "campaigns": {
- "qtype": "getMany",
- "model": "Campaign",
- "selection": [
- "id",
- "name",
- "description",
- "startDate",
- "endDate",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "partnerId",
- "logoId",
- "backgroundImageId",
- "partner",
- "logo",
- "backgroundImage",
- "campaignActions"
- ]
- },
- "completedActions": {
- "qtype": "getMany",
- "model": "CompletedAction",
- "selection": [
- "id",
- "dateCompleted",
- "txid",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "userId",
- "actionId",
- "user",
- "action"
- ]
- },
- "images": {
- "qtype": "getMany",
- "model": "Image",
- "selection": [
- "id",
- "name",
- "url",
- "versions",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "partnersByLogoId",
- "partnersByBackgroundImageId",
- "campaignsByLogoId",
- "campaignsByBackgroundImageId",
- "campaignActionsByThumbnailId",
- "servicesByIconId",
- "merchantsByLogoId",
- "merchantsByBackgroundImageId",
- "productsByIconId",
- "shopifyAccountsByIconId"
- ]
- },
- "merchants": {
- "qtype": "getMany",
- "model": "Merchant",
- "selection": [
- "id",
- "name",
- "bitcoinAddress",
- "description",
- "ownerId",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "logoId",
- "backgroundImageId",
- "logo",
- "backgroundImage",
- "products"
- ]
- },
- "partners": {
- "qtype": "getMany",
- "model": "Partner",
- "selection": [
- "id",
- "name",
- "description",
- "bitcoinAddress",
- "ownerId",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "logoId",
- "backgroundImageId",
- "logo",
- "backgroundImage",
- "campaigns",
- "campaignActions",
- "shopifyAccounts",
- "shopifyOrders"
- ]
- },
- "products": {
- "qtype": "getMany",
- "model": "Product",
- "selection": [
- "id",
- "name",
- "url",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "merchantId",
- "iconId",
- "merchant",
- "icon"
- ]
- },
- "services": {
- "qtype": "getMany",
- "model": "Service",
- "selection": [
- "id",
- "name",
- "description",
- "type",
- "data",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "campaignActionId",
- "iconId",
- "campaignAction",
- "icon"
- ]
- },
- "shopifyAccounts": {
- "qtype": "getMany",
- "model": "ShopifyAccount",
- "selection": [
- "id",
- "name",
- "shopLink",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "partnerId",
- "iconId",
- "partner",
- "icon",
- "shopifyOrders"
- ]
- },
- "shopifyOrders": {
- "qtype": "getMany",
- "model": "ShopifyOrder",
- "selection": [
- "id",
- "orderId",
- "email",
- "orderStatus",
- "financialStatus",
- "subtotalPrice",
- "orderCreatedAt",
- "orderClosedAt",
- "bitcoinUpdatedAt",
- "bitcoinRebate",
- "bitcoinAddress",
- "paidDate",
- "transactionId",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "partnerId",
- "shopifyAccountId",
- "partner",
- "shopifyAccount"
- ]
- },
- "users": {
- "qtype": "getMany",
- "model": "User",
- "selection": [
- "id",
- "username",
- "bitcoinAddress",
- "permissions",
- "completedActions"
- ]
- },
- "apiTokens": {
- "qtype": "getMany",
- "model": "ApiToken",
- "selection": [
- "id",
- "userId",
- "accessToken",
- "accessTokenExpiresAt"
- ]
- },
- "initiativesPyraRecords": {
- "qtype": "getMany",
- "model": "InitiativesPyraRecord",
- "selection": [
- "id",
- "name",
- "email",
- "bitcoinAddress",
- "date",
- "actionsCompleted",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "actionId",
- "action"
- ]
- },
- "permissions": {
- "qtype": "getMany",
- "model": "Permission",
- "selection": [
- "id",
- "name",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "userId",
- "user"
- ]
- },
- "shopifySecrets": {
- "qtype": "getMany",
- "model": "ShopifySecret",
- "selection": [
- "id",
- "shopifyAccountId",
- "name",
- "value",
- "enc"
- ]
- },
- "userEncryptedSecrets": {
- "qtype": "getMany",
- "model": "UserEncryptedSecret",
- "selection": [
- "id",
- "userId",
- "name",
- "value",
- "enc"
- ]
- },
- "userSecrets": {
- "qtype": "getMany",
- "model": "UserSecret",
- "selection": [
- "id",
- "userId",
- "name",
- "value"
- ]
- },
- "article": {
- "model": "Article",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "header",
- "url",
- "image",
- "datePublished",
- "ownerId",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt"
- ]
- },
- "campaignAction": {
- "model": "CampaignAction",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "name",
- "description",
- "rewardUnit",
- "rewardAmount",
- "totalBitcoinLimit",
- "actionWeeklyLimit",
- "actionDailyLimit",
- "userTotalLimit",
- "userWeeklyLimit",
- "userDailyLimit",
- "startDate",
- "endDate",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "campaignId",
- "partnerId",
- "thumbnailId",
- "campaign",
- "partner",
- "thumbnail",
- "completedActionsByActionId",
- "services",
- "initiativesPyraRecordsByActionId"
- ]
- },
- "campaignActionByName": {
- "model": "CampaignAction",
- "qtype": "getOne",
- "properties": {
- "name": {
- "isNotNull": true,
- "type": "String"
- }
- },
- "selection": [
- "id",
- "name",
- "description",
- "rewardUnit",
- "rewardAmount",
- "totalBitcoinLimit",
- "actionWeeklyLimit",
- "actionDailyLimit",
- "userTotalLimit",
- "userWeeklyLimit",
- "userDailyLimit",
- "startDate",
- "endDate",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "campaignId",
- "partnerId",
- "thumbnailId",
- "campaign",
- "partner",
- "thumbnail",
- "completedActionsByActionId",
- "services",
- "initiativesPyraRecordsByActionId"
- ]
- },
- "campaign": {
- "model": "Campaign",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "name",
- "description",
- "startDate",
- "endDate",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "partnerId",
- "logoId",
- "backgroundImageId",
- "partner",
- "logo",
- "backgroundImage",
- "campaignActions"
- ]
- },
- "completedAction": {
- "model": "CompletedAction",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "dateCompleted",
- "txid",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "userId",
- "actionId",
- "user",
- "action"
- ]
- },
- "image": {
- "model": "Image",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "name",
- "url",
- "versions",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "partnersByLogoId",
- "partnersByBackgroundImageId",
- "campaignsByLogoId",
- "campaignsByBackgroundImageId",
- "campaignActionsByThumbnailId",
- "servicesByIconId",
- "merchantsByLogoId",
- "merchantsByBackgroundImageId",
- "productsByIconId",
- "shopifyAccountsByIconId"
- ]
- },
- "merchant": {
- "model": "Merchant",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "name",
- "bitcoinAddress",
- "description",
- "ownerId",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "logoId",
- "backgroundImageId",
- "logo",
- "backgroundImage",
- "products"
- ]
- },
- "partner": {
- "model": "Partner",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "name",
- "description",
- "bitcoinAddress",
- "ownerId",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "logoId",
- "backgroundImageId",
- "logo",
- "backgroundImage",
- "campaigns",
- "campaignActions",
- "shopifyAccounts",
- "shopifyOrders"
- ]
- },
- "product": {
- "model": "Product",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "name",
- "url",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "merchantId",
- "iconId",
- "merchant",
- "icon"
- ]
- },
- "service": {
- "model": "Service",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "name",
- "description",
- "type",
- "data",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "campaignActionId",
- "iconId",
- "campaignAction",
- "icon"
- ]
- },
- "shopifyAccount": {
- "model": "ShopifyAccount",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "name",
- "shopLink",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "partnerId",
- "iconId",
- "partner",
- "icon",
- "shopifyOrders"
- ]
- },
- "shopifyOrder": {
- "model": "ShopifyOrder",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "orderId",
- "email",
- "orderStatus",
- "financialStatus",
- "subtotalPrice",
- "orderCreatedAt",
- "orderClosedAt",
- "bitcoinUpdatedAt",
- "bitcoinRebate",
- "bitcoinAddress",
- "paidDate",
- "transactionId",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "partnerId",
- "shopifyAccountId",
- "partner",
- "shopifyAccount"
- ]
- },
- "shopifyOrderByOrderIdAndEmailAndShopifyAccountId": {
- "model": "ShopifyOrder",
- "qtype": "getOne",
- "properties": {
- "orderId": {
- "isNotNull": true,
- "type": "Int"
- },
- "email": {
- "isNotNull": true,
- "type": "String"
- },
- "shopifyAccountId": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "orderId",
- "email",
- "orderStatus",
- "financialStatus",
- "subtotalPrice",
- "orderCreatedAt",
- "orderClosedAt",
- "bitcoinUpdatedAt",
- "bitcoinRebate",
- "bitcoinAddress",
- "paidDate",
- "transactionId",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "partnerId",
- "shopifyAccountId",
- "partner",
- "shopifyAccount"
- ]
- },
- "user": {
- "model": "User",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "username",
- "bitcoinAddress",
- "permissions",
- "completedActions"
- ]
- },
- "userByUsername": {
- "model": "User",
- "qtype": "getOne",
- "properties": {
- "username": {
- "isNotNull": true,
- "type": "String"
- }
- },
- "selection": [
- "id",
- "username",
- "bitcoinAddress",
- "permissions",
- "completedActions"
- ]
- },
- "userByBitcoinAddress": {
- "model": "User",
- "qtype": "getOne",
- "properties": {
- "bitcoinAddress": {
- "isNotNull": true,
- "type": "String"
- }
- },
- "selection": [
- "id",
- "username",
- "bitcoinAddress",
- "permissions",
- "completedActions"
- ]
- },
- "apiToken": {
- "model": "ApiToken",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "userId",
- "accessToken",
- "accessTokenExpiresAt"
- ]
- },
- "apiTokenByAccessToken": {
- "model": "ApiToken",
- "qtype": "getOne",
- "properties": {
- "accessToken": {
- "isNotNull": true,
- "type": "String"
- }
- },
- "selection": [
- "id",
- "userId",
- "accessToken",
- "accessTokenExpiresAt"
- ]
- },
- "initiativesPyraRecord": {
- "model": "InitiativesPyraRecord",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "name",
- "email",
- "bitcoinAddress",
- "date",
- "actionsCompleted",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "actionId",
- "action"
- ]
- },
- "permission": {
- "model": "Permission",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "name",
- "createdBy",
- "updatedBy",
- "createdAt",
- "updatedAt",
- "userId",
- "user"
- ]
- },
- "shopifySecret": {
- "model": "ShopifySecret",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "shopifyAccountId",
- "name",
- "value",
- "enc"
- ]
- },
- "shopifySecretByShopifyAccountIdAndName": {
- "model": "ShopifySecret",
- "qtype": "getOne",
- "properties": {
- "shopifyAccountId": {
- "isNotNull": true,
- "type": "UUID"
- },
- "name": {
- "isNotNull": true,
- "type": "String"
- }
- },
- "selection": [
- "id",
- "shopifyAccountId",
- "name",
- "value",
- "enc"
- ]
- },
- "userEncryptedSecret": {
- "model": "UserEncryptedSecret",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "userId",
- "name",
- "value",
- "enc"
- ]
- },
- "userEncryptedSecretByUserIdAndName": {
- "model": "UserEncryptedSecret",
- "qtype": "getOne",
- "properties": {
- "userId": {
- "isNotNull": true,
- "type": "UUID"
- },
- "name": {
- "isNotNull": true,
- "type": "String"
- }
- },
- "selection": [
- "id",
- "userId",
- "name",
- "value",
- "enc"
- ]
- },
- "userSecret": {
- "model": "UserSecret",
- "qtype": "getOne",
- "properties": {
- "id": {
- "isNotNull": true,
- "type": "UUID"
- }
- },
- "selection": [
- "id",
- "userId",
- "name",
- "value"
- ]
- },
- "userSecretByUserIdAndName": {
- "model": "UserSecret",
- "qtype": "getOne",
- "properties": {
- "userId": {
- "isNotNull": true,
- "type": "UUID"
- },
- "name": {
- "isNotNull": true,
- "type": "String"
- }
- },
- "selection": [
- "id",
- "userId",
- "name",
- "value"
- ]
- },
- "getCurrentUser": {
- "model": "User",
- "qtype": "getOne",
- "properties": {},
- "selection": [
- "id",
- "username",
- "bitcoinAddress",
- "permissions",
- "completedActions"
- ]
- }
-}
\ No newline at end of file
diff --git a/graphql/codegen/__fixtures__/tables.js b/graphql/codegen/__fixtures__/tables.js
deleted file mode 100644
index 8a3522c82..000000000
--- a/graphql/codegen/__fixtures__/tables.js
+++ /dev/null
@@ -1,64 +0,0 @@
-export default [
- {
- name: 'test1',
- defn: {
- databaseId: '5b3263d5-13eb-491c-b397-7f227edd3cf2',
- name: 'products',
- id: 'a65d1d03-e302-41a9-11c9-18470c9d7f46',
- attributes: [
- {
- name: 'id',
- hasDefault: true,
- isHidden: false,
- isNotNull: true,
- type: { name: 'uuid' }
- },
- {
- name: 'owner_id',
- isHidden: false,
- hasDefault: true,
- isNotNull: true,
- type: { name: 'uuid' }
- },
- {
- name: 'name',
- isHidden: false,
- isNotNull: true,
- type: { name: 'text' }
- },
- {
- name: 'rhino_foot',
- description: null,
- isHidden: false,
- isNotNull: false,
- type: { name: 'text' }
- },
- {
- name: 'hidden_foot',
- description: null,
- isHidden: true,
- isNotNull: false,
- type: { name: 'text' }
- },
- {
- name: 'lizard_feet',
- isHidden: false,
- isNotNull: false,
- type: { name: 'text' }
- }
- ],
- primaryKeyConstraint: {
- keyAttributes: [
- {
- name: 'id',
- type: {
- name: 'uuid'
- },
- isIndexed: true,
- isUnique: true
- }
- ]
- }
- }
- }
-];
diff --git a/graphql/codegen/__tests__/__snapshots__/codegen.fixtures.test.ts.snap b/graphql/codegen/__tests__/__snapshots__/codegen.fixtures.test.ts.snap
deleted file mode 100644
index 8ee6a7f06..000000000
--- a/graphql/codegen/__tests__/__snapshots__/codegen.fixtures.test.ts.snap
+++ /dev/null
@@ -1,3076 +0,0 @@
-// Jest Snapshot v1, https://jestjs.io/docs/snapshot-testing
-
-exports[`GraphQL Code Generation generate(): full AST map snapshot: full generate() output 1`] = `
-{
- "apiTokenFragment": "fragment apiTokenFragment on ApiToken {
- id
- userId
- accessToken
- accessTokenExpiresAt
-}
-",
- "articleFragment": "fragment articleFragment on Article {
- id
- header
- url
- image
- datePublished
- ownerId
- createdBy
- updatedBy
- createdAt
- updatedAt
-}
-",
- "campaignActionFragment": "fragment campaignActionFragment on CampaignAction {
- id
- name
- description
- rewardUnit
- rewardAmount
- totalBitcoinLimit
- actionWeeklyLimit
- actionDailyLimit
- userTotalLimit
- userWeeklyLimit
- userDailyLimit
- startDate
- endDate
- createdBy
- updatedBy
- createdAt
- updatedAt
- campaignId
- partnerId
- thumbnailId
- campaign
- partner
- thumbnail
- completedActionsByActionId
- services
- initiativesPyraRecordsByActionId
-}
-",
- "campaignFragment": "fragment campaignFragment on Campaign {
- id
- name
- description
- startDate
- endDate
- createdBy
- updatedBy
- createdAt
- updatedAt
- partnerId
- logoId
- backgroundImageId
- partner
- logo
- backgroundImage
- campaignActions
-}
-",
- "completedActionFragment": "fragment completedActionFragment on CompletedAction {
- id
- dateCompleted
- txid
- createdBy
- updatedBy
- createdAt
- updatedAt
- userId
- actionId
- user
- action
-}
-",
- "createApiTokenMutation": "mutation createApiTokenMutation($userId: UUID!, $accessToken: String, $accessTokenExpiresAt: Datetime) {
- createApiToken(
- input: {apiToken: {userId: $userId, accessToken: $accessToken, accessTokenExpiresAt: $accessTokenExpiresAt}}
- ) {
- apiToken {
- id
- }
- clientMutationId
- }
-}
-",
- "createArticleMutation": "mutation createArticleMutation($header: String, $url: String, $image: String, $datePublished: Datetime, $ownerId: UUID!) {
- createArticle(
- input: {article: {header: $header, url: $url, image: $image, datePublished: $datePublished, ownerId: $ownerId}}
- ) {
- article {
- id
- }
- clientMutationId
- }
-}
-",
- "createCampaignActionMutation": "mutation createCampaignActionMutation($name: String!, $description: String, $rewardUnit: String, $rewardAmount: BigFloat, $totalBitcoinLimit: BigFloat, $actionWeeklyLimit: Int, $actionDailyLimit: Int, $userTotalLimit: Int, $userWeeklyLimit: Int, $userDailyLimit: Int, $startDate: Datetime, $endDate: Datetime, $campaignId: UUID!, $partnerId: UUID!, $thumbnailId: UUID) {
- createCampaignAction(
- input: {campaignAction: {name: $name, description: $description, rewardUnit: $rewardUnit, rewardAmount: $rewardAmount, totalBitcoinLimit: $totalBitcoinLimit, actionWeeklyLimit: $actionWeeklyLimit, actionDailyLimit: $actionDailyLimit, userTotalLimit: $userTotalLimit, userWeeklyLimit: $userWeeklyLimit, userDailyLimit: $userDailyLimit, startDate: $startDate, endDate: $endDate, campaignId: $campaignId, partnerId: $partnerId, thumbnailId: $thumbnailId}}
- ) {
- campaignAction {
- id
- }
- clientMutationId
- }
-}
-",
- "createCampaignMutation": "mutation createCampaignMutation($name: String, $description: String, $startDate: Datetime, $endDate: Datetime, $partnerId: UUID!, $logoId: UUID, $backgroundImageId: UUID) {
- createCampaign(
- input: {campaign: {name: $name, description: $description, startDate: $startDate, endDate: $endDate, partnerId: $partnerId, logoId: $logoId, backgroundImageId: $backgroundImageId}}
- ) {
- campaign {
- id
- }
- clientMutationId
- }
-}
-",
- "createCompletedActionMutation": "mutation createCompletedActionMutation($dateCompleted: Datetime, $txid: String, $userId: UUID!, $actionId: UUID!) {
- createCompletedAction(
- input: {completedAction: {dateCompleted: $dateCompleted, txid: $txid, userId: $userId, actionId: $actionId}}
- ) {
- completedAction {
- id
- }
- clientMutationId
- }
-}
-",
- "createImageMutation": "mutation createImageMutation($name: String, $url: String, $versions: JSON, $versions2: JSON, $versions3: JSON!) {
- createImage(
- input: {image: {name: $name, url: $url, versions: $versions, versions2: $versions2, versions3: $versions3}}
- ) {
- image {
- id
- }
- clientMutationId
- }
-}
-",
- "createInitiativesPyraRecordMutation": "mutation createInitiativesPyraRecordMutation($name: String, $email: String, $bitcoinAddress: String, $date: Datetime, $actionsCompleted: Int, $actionId: UUID!) {
- createInitiativesPyraRecord(
- input: {initiativesPyraRecord: {name: $name, email: $email, bitcoinAddress: $bitcoinAddress, date: $date, actionsCompleted: $actionsCompleted, actionId: $actionId}}
- ) {
- initiativesPyraRecord {
- id
- }
- clientMutationId
- }
-}
-",
- "createMerchantMutation": "mutation createMerchantMutation($name: String, $bitcoinAddress: String, $description: String, $ownerId: UUID!, $logoId: UUID, $backgroundImageId: UUID) {
- createMerchant(
- input: {merchant: {name: $name, bitcoinAddress: $bitcoinAddress, description: $description, ownerId: $ownerId, logoId: $logoId, backgroundImageId: $backgroundImageId}}
- ) {
- merchant {
- id
- }
- clientMutationId
- }
-}
-",
- "createPartnerMutation": "mutation createPartnerMutation($name: String, $description: String, $bitcoinAddress: String, $ownerId: UUID!, $logoId: UUID, $backgroundImageId: UUID) {
- createPartner(
- input: {partner: {name: $name, description: $description, bitcoinAddress: $bitcoinAddress, ownerId: $ownerId, logoId: $logoId, backgroundImageId: $backgroundImageId}}
- ) {
- partner {
- id
- }
- clientMutationId
- }
-}
-",
- "createPermissionMutation": "mutation createPermissionMutation($name: String, $userId: UUID!) {
- createPermission(input: {permission: {name: $name, userId: $userId}}) {
- permission {
- id
- }
- clientMutationId
- }
-}
-",
- "createProductMutation": "mutation createProductMutation($name: String, $url: String, $merchantId: UUID!, $iconId: UUID) {
- createProduct(
- input: {product: {name: $name, url: $url, merchantId: $merchantId, iconId: $iconId}}
- ) {
- product {
- id
- }
- clientMutationId
- }
-}
-",
- "createServiceMutation": "mutation createServiceMutation($name: String, $description: String, $type: String, $data: JSON, $campaignActionId: UUID, $iconId: UUID) {
- createService(
- input: {service: {name: $name, description: $description, type: $type, data: $data, campaignActionId: $campaignActionId, iconId: $iconId}}
- ) {
- service {
- id
- }
- clientMutationId
- }
-}
-",
- "createShopifyAccountMutation": "mutation createShopifyAccountMutation($name: String, $shopLink: String, $partnerId: UUID!, $iconId: UUID) {
- createShopifyAccount(
- input: {shopifyAccount: {name: $name, shopLink: $shopLink, partnerId: $partnerId, iconId: $iconId}}
- ) {
- shopifyAccount {
- id
- }
- clientMutationId
- }
-}
-",
- "createShopifyOrderMutation": "mutation createShopifyOrderMutation($orderId: Int, $email: String, $orderStatus: String, $financialStatus: String, $subtotalPrice: BigFloat, $orderCreatedAt: Datetime, $orderClosedAt: Datetime, $bitcoinUpdatedAt: Datetime, $bitcoinRebate: BigFloat, $bitcoinAddress: String, $paidDate: Datetime, $transactionId: String, $partnerId: UUID!, $shopifyAccountId: UUID!) {
- createShopifyOrder(
- input: {shopifyOrder: {orderId: $orderId, email: $email, orderStatus: $orderStatus, financialStatus: $financialStatus, subtotalPrice: $subtotalPrice, orderCreatedAt: $orderCreatedAt, orderClosedAt: $orderClosedAt, bitcoinUpdatedAt: $bitcoinUpdatedAt, bitcoinRebate: $bitcoinRebate, bitcoinAddress: $bitcoinAddress, paidDate: $paidDate, transactionId: $transactionId, partnerId: $partnerId, shopifyAccountId: $shopifyAccountId}}
- ) {
- shopifyOrder {
- id
- }
- clientMutationId
- }
-}
-",
- "createShopifySecretMutation": "mutation createShopifySecretMutation($shopifyAccountId: UUID!, $name: String!, $value: String, $enc: String) {
- createShopifySecret(
- input: {shopifySecret: {shopifyAccountId: $shopifyAccountId, name: $name, value: $value, enc: $enc}}
- ) {
- shopifySecret {
- id
- }
- clientMutationId
- }
-}
-",
- "createUserEncryptedSecretMutation": "mutation createUserEncryptedSecretMutation($userId: UUID!, $name: String!, $value: String, $enc: String) {
- createUserEncryptedSecret(
- input: {userEncryptedSecret: {userId: $userId, name: $name, value: $value, enc: $enc}}
- ) {
- userEncryptedSecret {
- id
- }
- clientMutationId
- }
-}
-",
- "createUserMutation": "mutation createUserMutation($username: String, $bitcoinAddress: String) {
- createUser(
- input: {user: {username: $username, bitcoinAddress: $bitcoinAddress}}
- ) {
- user {
- id
- }
- clientMutationId
- }
-}
-",
- "createUserSecretMutation": "mutation createUserSecretMutation($userId: UUID!, $name: String!, $value: String) {
- createUserSecret(
- input: {userSecret: {userId: $userId, name: $name, value: $value}}
- ) {
- userSecret {
- id
- }
- clientMutationId
- }
-}
-",
- "deleteApiTokenByAccessTokenMutation": "mutation deleteApiTokenByAccessTokenMutation($accessToken: String!) {
- deleteApiTokenByAccessToken(input: {accessToken: $accessToken}) {
- clientMutationId
- }
-}
-",
- "deleteApiTokenMutation": "mutation deleteApiTokenMutation($id: UUID!) {
- deleteApiToken(input: {id: $id}) {
- clientMutationId
- }
-}
-",
- "deleteArticleMutation": "mutation deleteArticleMutation($id: UUID!) {
- deleteArticle(input: {id: $id}) {
- clientMutationId
- }
-}
-",
- "deleteCampaignActionByNameMutation": "mutation deleteCampaignActionByNameMutation($name: String!) {
- deleteCampaignActionByName(input: {name: $name}) {
- clientMutationId
- }
-}
-",
- "deleteCampaignActionMutation": "mutation deleteCampaignActionMutation($id: UUID!) {
- deleteCampaignAction(input: {id: $id}) {
- clientMutationId
- }
-}
-",
- "deleteCampaignMutation": "mutation deleteCampaignMutation($id: UUID!) {
- deleteCampaign(input: {id: $id}) {
- clientMutationId
- }
-}
-",
- "deleteCompletedActionMutation": "mutation deleteCompletedActionMutation($id: UUID!) {
- deleteCompletedAction(input: {id: $id}) {
- clientMutationId
- }
-}
-",
- "deleteImageMutation": "mutation deleteImageMutation($id: UUID!) {
- deleteImage(input: {id: $id}) {
- clientMutationId
- }
-}
-",
- "deleteInitiativesPyraRecordMutation": "mutation deleteInitiativesPyraRecordMutation($id: UUID!) {
- deleteInitiativesPyraRecord(input: {id: $id}) {
- clientMutationId
- }
-}
-",
- "deleteMerchantMutation": "mutation deleteMerchantMutation($id: UUID!) {
- deleteMerchant(input: {id: $id}) {
- clientMutationId
- }
-}
-",
- "deletePartnerMutation": "mutation deletePartnerMutation($id: UUID!) {
- deletePartner(input: {id: $id}) {
- clientMutationId
- }
-}
-",
- "deletePermissionMutation": "mutation deletePermissionMutation($id: UUID!) {
- deletePermission(input: {id: $id}) {
- clientMutationId
- }
-}
-",
- "deleteProductMutation": "mutation deleteProductMutation($id: UUID!) {
- deleteProduct(input: {id: $id}) {
- clientMutationId
- }
-}
-",
- "deleteServiceMutation": "mutation deleteServiceMutation($id: UUID!) {
- deleteService(input: {id: $id}) {
- clientMutationId
- }
-}
-",
- "deleteShopifyAccountMutation": "mutation deleteShopifyAccountMutation($id: UUID!) {
- deleteShopifyAccount(input: {id: $id}) {
- clientMutationId
- }
-}
-",
- "deleteShopifyOrderByOrderIdAndEmailAndShopifyAccountIdMutation": "mutation deleteShopifyOrderByOrderIdAndEmailAndShopifyAccountIdMutation($orderId: Int!, $email: String!, $shopifyAccountId: UUID!) {
- deleteShopifyOrderByOrderIdAndEmailAndShopifyAccountId(
- input: {orderId: $orderId, email: $email, shopifyAccountId: $shopifyAccountId}
- ) {
- clientMutationId
- }
-}
-",
- "deleteShopifyOrderMutation": "mutation deleteShopifyOrderMutation($id: UUID!) {
- deleteShopifyOrder(input: {id: $id}) {
- clientMutationId
- }
-}
-",
- "deleteShopifySecretByShopifyAccountIdAndNameMutation": "mutation deleteShopifySecretByShopifyAccountIdAndNameMutation($shopifyAccountId: UUID!, $name: String!) {
- deleteShopifySecretByShopifyAccountIdAndName(
- input: {shopifyAccountId: $shopifyAccountId, name: $name}
- ) {
- clientMutationId
- }
-}
-",
- "deleteShopifySecretMutation": "mutation deleteShopifySecretMutation($id: UUID!) {
- deleteShopifySecret(input: {id: $id}) {
- clientMutationId
- }
-}
-",
- "deleteUserByBitcoinAddressMutation": "mutation deleteUserByBitcoinAddressMutation($bitcoinAddress: String!) {
- deleteUserByBitcoinAddress(input: {bitcoinAddress: $bitcoinAddress}) {
- clientMutationId
- }
-}
-",
- "deleteUserByUsernameMutation": "mutation deleteUserByUsernameMutation($username: String!) {
- deleteUserByUsername(input: {username: $username}) {
- clientMutationId
- }
-}
-",
- "deleteUserEncryptedSecretByUserIdAndNameMutation": "mutation deleteUserEncryptedSecretByUserIdAndNameMutation($userId: UUID!, $name: String!) {
- deleteUserEncryptedSecretByUserIdAndName(input: {userId: $userId, name: $name}) {
- clientMutationId
- }
-}
-",
- "deleteUserEncryptedSecretMutation": "mutation deleteUserEncryptedSecretMutation($id: UUID!) {
- deleteUserEncryptedSecret(input: {id: $id}) {
- clientMutationId
- }
-}
-",
- "deleteUserMutation": "mutation deleteUserMutation($id: UUID!) {
- deleteUser(input: {id: $id}) {
- clientMutationId
- }
-}
-",
- "deleteUserSecretByUserIdAndNameMutation": "mutation deleteUserSecretByUserIdAndNameMutation($userId: UUID!, $name: String!) {
- deleteUserSecretByUserIdAndName(input: {userId: $userId, name: $name}) {
- clientMutationId
- }
-}
-",
- "deleteUserSecretMutation": "mutation deleteUserSecretMutation($id: UUID!) {
- deleteUserSecret(input: {id: $id}) {
- clientMutationId
- }
-}
-",
- "getApiTokenByAccessTokenQuery": "query getApiTokenByAccessTokenQuery($accessToken: String!) {
- apiTokenByAccessToken(accessToken: $accessToken) {
- id
- userId
- accessToken
- accessTokenExpiresAt
- }
-}
-",
- "getApiTokenQuery": "query getApiTokenQuery($id: UUID!) {
- apiToken(id: $id) {
- id
- userId
- accessToken
- accessTokenExpiresAt
- }
-}
-",
- "getApiTokensOrderByEnums": "query getApiTokensOrderByEnums {
- __type(name: "ApiTokensOrderBy") {
- enumValues {
- name
- }
- }
-}
-",
- "getApiTokensPaginated": "query getApiTokensPaginated($first: Int, $last: Int, $offset: Int, $after: Cursor, $before: Cursor, $condition: ApiTokenCondition, $filter: ApiTokenFilter, $orderBy: [ApiTokensOrderBy!]) {
- apiTokens(
- first: $first
- last: $last
- offset: $offset
- after: $after
- before: $before
- condition: $condition
- filter: $filter
- orderBy: $orderBy
- ) {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- userId
- accessToken
- accessTokenExpiresAt
- }
- }
- }
-}
-",
- "getApiTokensQueryAll": "query getApiTokensQueryAll {
- apiTokens {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- userId
- accessToken
- accessTokenExpiresAt
- }
- }
- }
-}
-",
- "getArticleQuery": "query getArticleQuery($id: UUID!) {
- article(id: $id) {
- id
- header
- url
- image
- datePublished
- ownerId
- createdBy
- updatedBy
- createdAt
- updatedAt
- }
-}
-",
- "getArticlesOrderByEnums": "query getArticlesOrderByEnums {
- __type(name: "ArticlesOrderBy") {
- enumValues {
- name
- }
- }
-}
-",
- "getArticlesPaginated": "query getArticlesPaginated($first: Int, $last: Int, $offset: Int, $after: Cursor, $before: Cursor, $condition: ArticleCondition, $filter: ArticleFilter, $orderBy: [ArticlesOrderBy!]) {
- articles(
- first: $first
- last: $last
- offset: $offset
- after: $after
- before: $before
- condition: $condition
- filter: $filter
- orderBy: $orderBy
- ) {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- header
- url
- image
- datePublished
- ownerId
- createdBy
- updatedBy
- createdAt
- updatedAt
- }
- }
- }
-}
-",
- "getArticlesQueryAll": "query getArticlesQueryAll {
- articles {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- header
- url
- image
- datePublished
- ownerId
- createdBy
- updatedBy
- createdAt
- updatedAt
- }
- }
- }
-}
-",
- "getCampaignActionByNameQuery": "query getCampaignActionByNameQuery($name: String!) {
- campaignActionByName(name: $name) {
- id
- name
- description
- rewardUnit
- rewardAmount
- totalBitcoinLimit
- actionWeeklyLimit
- actionDailyLimit
- userTotalLimit
- userWeeklyLimit
- userDailyLimit
- startDate
- endDate
- createdBy
- updatedBy
- createdAt
- updatedAt
- campaignId
- partnerId
- thumbnailId
- campaign
- partner
- thumbnail
- completedActionsByActionId
- services
- initiativesPyraRecordsByActionId
- }
-}
-",
- "getCampaignActionQuery": "query getCampaignActionQuery($id: UUID!) {
- campaignAction(id: $id) {
- id
- name
- description
- rewardUnit
- rewardAmount
- totalBitcoinLimit
- actionWeeklyLimit
- actionDailyLimit
- userTotalLimit
- userWeeklyLimit
- userDailyLimit
- startDate
- endDate
- createdBy
- updatedBy
- createdAt
- updatedAt
- campaignId
- partnerId
- thumbnailId
- campaign
- partner
- thumbnail
- completedActionsByActionId
- services
- initiativesPyraRecordsByActionId
- }
-}
-",
- "getCampaignActionsOrderByEnums": "query getCampaignActionsOrderByEnums {
- __type(name: "CampaignActionsOrderBy") {
- enumValues {
- name
- }
- }
-}
-",
- "getCampaignActionsPaginated": "query getCampaignActionsPaginated($first: Int, $last: Int, $offset: Int, $after: Cursor, $before: Cursor, $condition: CampaignActionCondition, $filter: CampaignActionFilter, $orderBy: [CampaignActionsOrderBy!]) {
- campaignActions(
- first: $first
- last: $last
- offset: $offset
- after: $after
- before: $before
- condition: $condition
- filter: $filter
- orderBy: $orderBy
- ) {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- name
- description
- rewardUnit
- rewardAmount
- totalBitcoinLimit
- actionWeeklyLimit
- actionDailyLimit
- userTotalLimit
- userWeeklyLimit
- userDailyLimit
- startDate
- endDate
- createdBy
- updatedBy
- createdAt
- updatedAt
- campaignId
- partnerId
- thumbnailId
- campaign
- partner
- thumbnail
- completedActionsByActionId
- services
- initiativesPyraRecordsByActionId
- }
- }
- }
-}
-",
- "getCampaignActionsQueryAll": "query getCampaignActionsQueryAll {
- campaignActions {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- name
- description
- rewardUnit
- rewardAmount
- totalBitcoinLimit
- actionWeeklyLimit
- actionDailyLimit
- userTotalLimit
- userWeeklyLimit
- userDailyLimit
- startDate
- endDate
- createdBy
- updatedBy
- createdAt
- updatedAt
- campaignId
- partnerId
- thumbnailId
- campaign
- partner
- thumbnail
- completedActionsByActionId
- services
- initiativesPyraRecordsByActionId
- }
- }
- }
-}
-",
- "getCampaignQuery": "query getCampaignQuery($id: UUID!) {
- campaign(id: $id) {
- id
- name
- description
- startDate
- endDate
- createdBy
- updatedBy
- createdAt
- updatedAt
- partnerId
- logoId
- backgroundImageId
- partner
- logo
- backgroundImage
- campaignActions
- }
-}
-",
- "getCampaignsOrderByEnums": "query getCampaignsOrderByEnums {
- __type(name: "CampaignsOrderBy") {
- enumValues {
- name
- }
- }
-}
-",
- "getCampaignsPaginated": "query getCampaignsPaginated($first: Int, $last: Int, $offset: Int, $after: Cursor, $before: Cursor, $condition: CampaignCondition, $filter: CampaignFilter, $orderBy: [CampaignsOrderBy!]) {
- campaigns(
- first: $first
- last: $last
- offset: $offset
- after: $after
- before: $before
- condition: $condition
- filter: $filter
- orderBy: $orderBy
- ) {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- name
- description
- startDate
- endDate
- createdBy
- updatedBy
- createdAt
- updatedAt
- partnerId
- logoId
- backgroundImageId
- partner
- logo
- backgroundImage
- campaignActions
- }
- }
- }
-}
-",
- "getCampaignsQueryAll": "query getCampaignsQueryAll {
- campaigns {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- name
- description
- startDate
- endDate
- createdBy
- updatedBy
- createdAt
- updatedAt
- partnerId
- logoId
- backgroundImageId
- partner
- logo
- backgroundImage
- campaignActions
- }
- }
- }
-}
-",
- "getCompletedActionQuery": "query getCompletedActionQuery($id: UUID!) {
- completedAction(id: $id) {
- id
- dateCompleted
- txid
- createdBy
- updatedBy
- createdAt
- updatedAt
- userId
- actionId
- user
- action
- }
-}
-",
- "getCompletedActionsOrderByEnums": "query getCompletedActionsOrderByEnums {
- __type(name: "CompletedActionsOrderBy") {
- enumValues {
- name
- }
- }
-}
-",
- "getCompletedActionsPaginated": "query getCompletedActionsPaginated($first: Int, $last: Int, $offset: Int, $after: Cursor, $before: Cursor, $condition: CompletedActionCondition, $filter: CompletedActionFilter, $orderBy: [CompletedActionsOrderBy!]) {
- completedActions(
- first: $first
- last: $last
- offset: $offset
- after: $after
- before: $before
- condition: $condition
- filter: $filter
- orderBy: $orderBy
- ) {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- dateCompleted
- txid
- createdBy
- updatedBy
- createdAt
- updatedAt
- userId
- actionId
- user
- action
- }
- }
- }
-}
-",
- "getCompletedActionsQueryAll": "query getCompletedActionsQueryAll {
- completedActions {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- dateCompleted
- txid
- createdBy
- updatedBy
- createdAt
- updatedAt
- userId
- actionId
- user
- action
- }
- }
- }
-}
-",
- "getGetCurrentUserQuery": "query getGetCurrentUserQuery {
- getCurrentUser {
- id
- username
- bitcoinAddress
- permissions
- completedActions
- }
-}
-",
- "getImageQuery": "query getImageQuery($id: UUID!) {
- image(id: $id) {
- id
- name
- url
- versions
- createdBy
- updatedBy
- createdAt
- updatedAt
- partnersByLogoId
- partnersByBackgroundImageId
- campaignsByLogoId
- campaignsByBackgroundImageId
- campaignActionsByThumbnailId
- servicesByIconId
- merchantsByLogoId
- merchantsByBackgroundImageId
- productsByIconId
- shopifyAccountsByIconId
- }
-}
-",
- "getImagesOrderByEnums": "query getImagesOrderByEnums {
- __type(name: "ImagesOrderBy") {
- enumValues {
- name
- }
- }
-}
-",
- "getImagesPaginated": "query getImagesPaginated($first: Int, $last: Int, $offset: Int, $after: Cursor, $before: Cursor, $condition: ImageCondition, $filter: ImageFilter, $orderBy: [ImagesOrderBy!]) {
- images(
- first: $first
- last: $last
- offset: $offset
- after: $after
- before: $before
- condition: $condition
- filter: $filter
- orderBy: $orderBy
- ) {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- name
- url
- versions
- createdBy
- updatedBy
- createdAt
- updatedAt
- partnersByLogoId
- partnersByBackgroundImageId
- campaignsByLogoId
- campaignsByBackgroundImageId
- campaignActionsByThumbnailId
- servicesByIconId
- merchantsByLogoId
- merchantsByBackgroundImageId
- productsByIconId
- shopifyAccountsByIconId
- }
- }
- }
-}
-",
- "getImagesQueryAll": "query getImagesQueryAll {
- images {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- name
- url
- versions
- createdBy
- updatedBy
- createdAt
- updatedAt
- partnersByLogoId
- partnersByBackgroundImageId
- campaignsByLogoId
- campaignsByBackgroundImageId
- campaignActionsByThumbnailId
- servicesByIconId
- merchantsByLogoId
- merchantsByBackgroundImageId
- productsByIconId
- shopifyAccountsByIconId
- }
- }
- }
-}
-",
- "getInitiativesPyraRecordQuery": "query getInitiativesPyraRecordQuery($id: UUID!) {
- initiativesPyraRecord(id: $id) {
- id
- name
- email
- bitcoinAddress
- date
- actionsCompleted
- createdBy
- updatedBy
- createdAt
- updatedAt
- actionId
- action
- }
-}
-",
- "getInitiativesPyraRecordsOrderByEnums": "query getInitiativesPyraRecordsOrderByEnums {
- __type(name: "InitiativesPyraRecordsOrderBy") {
- enumValues {
- name
- }
- }
-}
-",
- "getInitiativesPyraRecordsPaginated": "query getInitiativesPyraRecordsPaginated($first: Int, $last: Int, $offset: Int, $after: Cursor, $before: Cursor, $condition: InitiativesPyraRecordCondition, $filter: InitiativesPyraRecordFilter, $orderBy: [InitiativesPyraRecordsOrderBy!]) {
- initiativesPyraRecords(
- first: $first
- last: $last
- offset: $offset
- after: $after
- before: $before
- condition: $condition
- filter: $filter
- orderBy: $orderBy
- ) {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- name
- email
- bitcoinAddress
- date
- actionsCompleted
- createdBy
- updatedBy
- createdAt
- updatedAt
- actionId
- action
- }
- }
- }
-}
-",
- "getInitiativesPyraRecordsQueryAll": "query getInitiativesPyraRecordsQueryAll {
- initiativesPyraRecords {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- name
- email
- bitcoinAddress
- date
- actionsCompleted
- createdBy
- updatedBy
- createdAt
- updatedAt
- actionId
- action
- }
- }
- }
-}
-",
- "getMerchantQuery": "query getMerchantQuery($id: UUID!) {
- merchant(id: $id) {
- id
- name
- bitcoinAddress
- description
- ownerId
- createdBy
- updatedBy
- createdAt
- updatedAt
- logoId
- backgroundImageId
- logo
- backgroundImage
- products
- }
-}
-",
- "getMerchantsOrderByEnums": "query getMerchantsOrderByEnums {
- __type(name: "MerchantsOrderBy") {
- enumValues {
- name
- }
- }
-}
-",
- "getMerchantsPaginated": "query getMerchantsPaginated($first: Int, $last: Int, $offset: Int, $after: Cursor, $before: Cursor, $condition: MerchantCondition, $filter: MerchantFilter, $orderBy: [MerchantsOrderBy!]) {
- merchants(
- first: $first
- last: $last
- offset: $offset
- after: $after
- before: $before
- condition: $condition
- filter: $filter
- orderBy: $orderBy
- ) {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- name
- bitcoinAddress
- description
- ownerId
- createdBy
- updatedBy
- createdAt
- updatedAt
- logoId
- backgroundImageId
- logo
- backgroundImage
- products
- }
- }
- }
-}
-",
- "getMerchantsQueryAll": "query getMerchantsQueryAll {
- merchants {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- name
- bitcoinAddress
- description
- ownerId
- createdBy
- updatedBy
- createdAt
- updatedAt
- logoId
- backgroundImageId
- logo
- backgroundImage
- products
- }
- }
- }
-}
-",
- "getPartnerQuery": "query getPartnerQuery($id: UUID!) {
- partner(id: $id) {
- id
- name
- description
- bitcoinAddress
- ownerId
- createdBy
- updatedBy
- createdAt
- updatedAt
- logoId
- backgroundImageId
- logo
- backgroundImage
- campaigns
- campaignActions
- shopifyAccounts
- shopifyOrders
- }
-}
-",
- "getPartnersOrderByEnums": "query getPartnersOrderByEnums {
- __type(name: "PartnersOrderBy") {
- enumValues {
- name
- }
- }
-}
-",
- "getPartnersPaginated": "query getPartnersPaginated($first: Int, $last: Int, $offset: Int, $after: Cursor, $before: Cursor, $condition: PartnerCondition, $filter: PartnerFilter, $orderBy: [PartnersOrderBy!]) {
- partners(
- first: $first
- last: $last
- offset: $offset
- after: $after
- before: $before
- condition: $condition
- filter: $filter
- orderBy: $orderBy
- ) {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- name
- description
- bitcoinAddress
- ownerId
- createdBy
- updatedBy
- createdAt
- updatedAt
- logoId
- backgroundImageId
- logo
- backgroundImage
- campaigns
- campaignActions
- shopifyAccounts
- shopifyOrders
- }
- }
- }
-}
-",
- "getPartnersQueryAll": "query getPartnersQueryAll {
- partners {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- name
- description
- bitcoinAddress
- ownerId
- createdBy
- updatedBy
- createdAt
- updatedAt
- logoId
- backgroundImageId
- logo
- backgroundImage
- campaigns
- campaignActions
- shopifyAccounts
- shopifyOrders
- }
- }
- }
-}
-",
- "getPermissionQuery": "query getPermissionQuery($id: UUID!) {
- permission(id: $id) {
- id
- name
- createdBy
- updatedBy
- createdAt
- updatedAt
- userId
- user
- }
-}
-",
- "getPermissionsOrderByEnums": "query getPermissionsOrderByEnums {
- __type(name: "PermissionsOrderBy") {
- enumValues {
- name
- }
- }
-}
-",
- "getPermissionsPaginated": "query getPermissionsPaginated($first: Int, $last: Int, $offset: Int, $after: Cursor, $before: Cursor, $condition: PermissionCondition, $filter: PermissionFilter, $orderBy: [PermissionsOrderBy!]) {
- permissions(
- first: $first
- last: $last
- offset: $offset
- after: $after
- before: $before
- condition: $condition
- filter: $filter
- orderBy: $orderBy
- ) {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- name
- createdBy
- updatedBy
- createdAt
- updatedAt
- userId
- user
- }
- }
- }
-}
-",
- "getPermissionsQueryAll": "query getPermissionsQueryAll {
- permissions {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- name
- createdBy
- updatedBy
- createdAt
- updatedAt
- userId
- user
- }
- }
- }
-}
-",
- "getProductQuery": "query getProductQuery($id: UUID!) {
- product(id: $id) {
- id
- name
- url
- createdBy
- updatedBy
- createdAt
- updatedAt
- merchantId
- iconId
- merchant
- icon
- }
-}
-",
- "getProductsOrderByEnums": "query getProductsOrderByEnums {
- __type(name: "ProductsOrderBy") {
- enumValues {
- name
- }
- }
-}
-",
- "getProductsPaginated": "query getProductsPaginated($first: Int, $last: Int, $offset: Int, $after: Cursor, $before: Cursor, $condition: ProductCondition, $filter: ProductFilter, $orderBy: [ProductsOrderBy!]) {
- products(
- first: $first
- last: $last
- offset: $offset
- after: $after
- before: $before
- condition: $condition
- filter: $filter
- orderBy: $orderBy
- ) {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- name
- url
- createdBy
- updatedBy
- createdAt
- updatedAt
- merchantId
- iconId
- merchant
- icon
- }
- }
- }
-}
-",
- "getProductsQueryAll": "query getProductsQueryAll {
- products {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- name
- url
- createdBy
- updatedBy
- createdAt
- updatedAt
- merchantId
- iconId
- merchant
- icon
- }
- }
- }
-}
-",
- "getServiceQuery": "query getServiceQuery($id: UUID!) {
- service(id: $id) {
- id
- name
- description
- type
- data
- createdBy
- updatedBy
- createdAt
- updatedAt
- campaignActionId
- iconId
- campaignAction
- icon
- }
-}
-",
- "getServicesOrderByEnums": "query getServicesOrderByEnums {
- __type(name: "ServicesOrderBy") {
- enumValues {
- name
- }
- }
-}
-",
- "getServicesPaginated": "query getServicesPaginated($first: Int, $last: Int, $offset: Int, $after: Cursor, $before: Cursor, $condition: ServiceCondition, $filter: ServiceFilter, $orderBy: [ServicesOrderBy!]) {
- services(
- first: $first
- last: $last
- offset: $offset
- after: $after
- before: $before
- condition: $condition
- filter: $filter
- orderBy: $orderBy
- ) {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- name
- description
- type
- data
- createdBy
- updatedBy
- createdAt
- updatedAt
- campaignActionId
- iconId
- campaignAction
- icon
- }
- }
- }
-}
-",
- "getServicesQueryAll": "query getServicesQueryAll {
- services {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- name
- description
- type
- data
- createdBy
- updatedBy
- createdAt
- updatedAt
- campaignActionId
- iconId
- campaignAction
- icon
- }
- }
- }
-}
-",
- "getShopifyAccountQuery": "query getShopifyAccountQuery($id: UUID!) {
- shopifyAccount(id: $id) {
- id
- name
- shopLink
- createdBy
- updatedBy
- createdAt
- updatedAt
- partnerId
- iconId
- partner
- icon
- shopifyOrders
- }
-}
-",
- "getShopifyAccountsOrderByEnums": "query getShopifyAccountsOrderByEnums {
- __type(name: "ShopifyAccountsOrderBy") {
- enumValues {
- name
- }
- }
-}
-",
- "getShopifyAccountsPaginated": "query getShopifyAccountsPaginated($first: Int, $last: Int, $offset: Int, $after: Cursor, $before: Cursor, $condition: ShopifyAccountCondition, $filter: ShopifyAccountFilter, $orderBy: [ShopifyAccountsOrderBy!]) {
- shopifyAccounts(
- first: $first
- last: $last
- offset: $offset
- after: $after
- before: $before
- condition: $condition
- filter: $filter
- orderBy: $orderBy
- ) {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- name
- shopLink
- createdBy
- updatedBy
- createdAt
- updatedAt
- partnerId
- iconId
- partner
- icon
- shopifyOrders
- }
- }
- }
-}
-",
- "getShopifyAccountsQueryAll": "query getShopifyAccountsQueryAll {
- shopifyAccounts {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- name
- shopLink
- createdBy
- updatedBy
- createdAt
- updatedAt
- partnerId
- iconId
- partner
- icon
- shopifyOrders
- }
- }
- }
-}
-",
- "getShopifyOrderByOrderIdAndEmailAndShopifyAccountIdQuery": "query getShopifyOrderByOrderIdAndEmailAndShopifyAccountIdQuery($orderId: Int!, $email: String!, $shopifyAccountId: UUID!) {
- shopifyOrderByOrderIdAndEmailAndShopifyAccountId(
- orderId: $orderId
- email: $email
- shopifyAccountId: $shopifyAccountId
- ) {
- id
- orderId
- email
- orderStatus
- financialStatus
- subtotalPrice
- orderCreatedAt
- orderClosedAt
- bitcoinUpdatedAt
- bitcoinRebate
- bitcoinAddress
- paidDate
- transactionId
- createdBy
- updatedBy
- createdAt
- updatedAt
- partnerId
- shopifyAccountId
- partner
- shopifyAccount
- }
-}
-",
- "getShopifyOrderQuery": "query getShopifyOrderQuery($id: UUID!) {
- shopifyOrder(id: $id) {
- id
- orderId
- email
- orderStatus
- financialStatus
- subtotalPrice
- orderCreatedAt
- orderClosedAt
- bitcoinUpdatedAt
- bitcoinRebate
- bitcoinAddress
- paidDate
- transactionId
- createdBy
- updatedBy
- createdAt
- updatedAt
- partnerId
- shopifyAccountId
- partner
- shopifyAccount
- }
-}
-",
- "getShopifyOrdersOrderByEnums": "query getShopifyOrdersOrderByEnums {
- __type(name: "ShopifyOrdersOrderBy") {
- enumValues {
- name
- }
- }
-}
-",
- "getShopifyOrdersPaginated": "query getShopifyOrdersPaginated($first: Int, $last: Int, $offset: Int, $after: Cursor, $before: Cursor, $condition: ShopifyOrderCondition, $filter: ShopifyOrderFilter, $orderBy: [ShopifyOrdersOrderBy!]) {
- shopifyOrders(
- first: $first
- last: $last
- offset: $offset
- after: $after
- before: $before
- condition: $condition
- filter: $filter
- orderBy: $orderBy
- ) {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- orderId
- email
- orderStatus
- financialStatus
- subtotalPrice
- orderCreatedAt
- orderClosedAt
- bitcoinUpdatedAt
- bitcoinRebate
- bitcoinAddress
- paidDate
- transactionId
- createdBy
- updatedBy
- createdAt
- updatedAt
- partnerId
- shopifyAccountId
- partner
- shopifyAccount
- }
- }
- }
-}
-",
- "getShopifyOrdersQueryAll": "query getShopifyOrdersQueryAll {
- shopifyOrders {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- orderId
- email
- orderStatus
- financialStatus
- subtotalPrice
- orderCreatedAt
- orderClosedAt
- bitcoinUpdatedAt
- bitcoinRebate
- bitcoinAddress
- paidDate
- transactionId
- createdBy
- updatedBy
- createdAt
- updatedAt
- partnerId
- shopifyAccountId
- partner
- shopifyAccount
- }
- }
- }
-}
-",
- "getShopifySecretByShopifyAccountIdAndNameQuery": "query getShopifySecretByShopifyAccountIdAndNameQuery($shopifyAccountId: UUID!, $name: String!) {
- shopifySecretByShopifyAccountIdAndName(
- shopifyAccountId: $shopifyAccountId
- name: $name
- ) {
- id
- shopifyAccountId
- name
- value
- enc
- }
-}
-",
- "getShopifySecretQuery": "query getShopifySecretQuery($id: UUID!) {
- shopifySecret(id: $id) {
- id
- shopifyAccountId
- name
- value
- enc
- }
-}
-",
- "getShopifySecretsOrderByEnums": "query getShopifySecretsOrderByEnums {
- __type(name: "ShopifySecretsOrderBy") {
- enumValues {
- name
- }
- }
-}
-",
- "getShopifySecretsPaginated": "query getShopifySecretsPaginated($first: Int, $last: Int, $offset: Int, $after: Cursor, $before: Cursor, $condition: ShopifySecretCondition, $filter: ShopifySecretFilter, $orderBy: [ShopifySecretsOrderBy!]) {
- shopifySecrets(
- first: $first
- last: $last
- offset: $offset
- after: $after
- before: $before
- condition: $condition
- filter: $filter
- orderBy: $orderBy
- ) {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- shopifyAccountId
- name
- value
- enc
- }
- }
- }
-}
-",
- "getShopifySecretsQueryAll": "query getShopifySecretsQueryAll {
- shopifySecrets {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- shopifyAccountId
- name
- value
- enc
- }
- }
- }
-}
-",
- "getUserByBitcoinAddressQuery": "query getUserByBitcoinAddressQuery($bitcoinAddress: String!) {
- userByBitcoinAddress(bitcoinAddress: $bitcoinAddress) {
- id
- username
- bitcoinAddress
- permissions
- completedActions
- }
-}
-",
- "getUserByUsernameQuery": "query getUserByUsernameQuery($username: String!) {
- userByUsername(username: $username) {
- id
- username
- bitcoinAddress
- permissions
- completedActions
- }
-}
-",
- "getUserEncryptedSecretByUserIdAndNameQuery": "query getUserEncryptedSecretByUserIdAndNameQuery($userId: UUID!, $name: String!) {
- userEncryptedSecretByUserIdAndName(userId: $userId, name: $name) {
- id
- userId
- name
- value
- enc
- }
-}
-",
- "getUserEncryptedSecretQuery": "query getUserEncryptedSecretQuery($id: UUID!) {
- userEncryptedSecret(id: $id) {
- id
- userId
- name
- value
- enc
- }
-}
-",
- "getUserEncryptedSecretsOrderByEnums": "query getUserEncryptedSecretsOrderByEnums {
- __type(name: "UserEncryptedSecretsOrderBy") {
- enumValues {
- name
- }
- }
-}
-",
- "getUserEncryptedSecretsPaginated": "query getUserEncryptedSecretsPaginated($first: Int, $last: Int, $offset: Int, $after: Cursor, $before: Cursor, $condition: UserEncryptedSecretCondition, $filter: UserEncryptedSecretFilter, $orderBy: [UserEncryptedSecretsOrderBy!]) {
- userEncryptedSecrets(
- first: $first
- last: $last
- offset: $offset
- after: $after
- before: $before
- condition: $condition
- filter: $filter
- orderBy: $orderBy
- ) {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- userId
- name
- value
- enc
- }
- }
- }
-}
-",
- "getUserEncryptedSecretsQueryAll": "query getUserEncryptedSecretsQueryAll {
- userEncryptedSecrets {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- userId
- name
- value
- enc
- }
- }
- }
-}
-",
- "getUserQuery": "query getUserQuery($id: UUID!) {
- user(id: $id) {
- id
- username
- bitcoinAddress
- permissions
- completedActions
- }
-}
-",
- "getUserSecretByUserIdAndNameQuery": "query getUserSecretByUserIdAndNameQuery($userId: UUID!, $name: String!) {
- userSecretByUserIdAndName(userId: $userId, name: $name) {
- id
- userId
- name
- value
- }
-}
-",
- "getUserSecretQuery": "query getUserSecretQuery($id: UUID!) {
- userSecret(id: $id) {
- id
- userId
- name
- value
- }
-}
-",
- "getUserSecretsOrderByEnums": "query getUserSecretsOrderByEnums {
- __type(name: "UserSecretsOrderBy") {
- enumValues {
- name
- }
- }
-}
-",
- "getUserSecretsPaginated": "query getUserSecretsPaginated($first: Int, $last: Int, $offset: Int, $after: Cursor, $before: Cursor, $condition: UserSecretCondition, $filter: UserSecretFilter, $orderBy: [UserSecretsOrderBy!]) {
- userSecrets(
- first: $first
- last: $last
- offset: $offset
- after: $after
- before: $before
- condition: $condition
- filter: $filter
- orderBy: $orderBy
- ) {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- userId
- name
- value
- }
- }
- }
-}
-",
- "getUserSecretsQueryAll": "query getUserSecretsQueryAll {
- userSecrets {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- userId
- name
- value
- }
- }
- }
-}
-",
- "getUsersOrderByEnums": "query getUsersOrderByEnums {
- __type(name: "UsersOrderBy") {
- enumValues {
- name
- }
- }
-}
-",
- "getUsersPaginated": "query getUsersPaginated($first: Int, $last: Int, $offset: Int, $after: Cursor, $before: Cursor, $condition: UserCondition, $filter: UserFilter, $orderBy: [UsersOrderBy!]) {
- users(
- first: $first
- last: $last
- offset: $offset
- after: $after
- before: $before
- condition: $condition
- filter: $filter
- orderBy: $orderBy
- ) {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- username
- bitcoinAddress
- permissions
- completedActions
- }
- }
- }
-}
-",
- "getUsersQueryAll": "query getUsersQueryAll {
- users {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- username
- bitcoinAddress
- permissions
- completedActions
- }
- }
- }
-}
-",
- "imageFragment": "fragment imageFragment on Image {
- id
- name
- url
- versions
- createdBy
- updatedBy
- createdAt
- updatedAt
- partnersByLogoId
- partnersByBackgroundImageId
- campaignsByLogoId
- campaignsByBackgroundImageId
- campaignActionsByThumbnailId
- servicesByIconId
- merchantsByLogoId
- merchantsByBackgroundImageId
- productsByIconId
- shopifyAccountsByIconId
-}
-",
- "initiativesPyraRecordFragment": "fragment initiativesPyraRecordFragment on InitiativesPyraRecord {
- id
- name
- email
- bitcoinAddress
- date
- actionsCompleted
- createdBy
- updatedBy
- createdAt
- updatedAt
- actionId
- action
-}
-",
- "merchantFragment": "fragment merchantFragment on Merchant {
- id
- name
- bitcoinAddress
- description
- ownerId
- createdBy
- updatedBy
- createdAt
- updatedAt
- logoId
- backgroundImageId
- logo
- backgroundImage
- products
-}
-",
- "partnerFragment": "fragment partnerFragment on Partner {
- id
- name
- description
- bitcoinAddress
- ownerId
- createdBy
- updatedBy
- createdAt
- updatedAt
- logoId
- backgroundImageId
- logo
- backgroundImage
- campaigns
- campaignActions
- shopifyAccounts
- shopifyOrders
-}
-",
- "permissionFragment": "fragment permissionFragment on Permission {
- id
- name
- createdBy
- updatedBy
- createdAt
- updatedAt
- userId
- user
-}
-",
- "productFragment": "fragment productFragment on Product {
- id
- name
- url
- createdBy
- updatedBy
- createdAt
- updatedAt
- merchantId
- iconId
- merchant
- icon
-}
-",
- "serviceFragment": "fragment serviceFragment on Service {
- id
- name
- description
- type
- data
- createdBy
- updatedBy
- createdAt
- updatedAt
- campaignActionId
- iconId
- campaignAction
- icon
-}
-",
- "shopifyAccountFragment": "fragment shopifyAccountFragment on ShopifyAccount {
- id
- name
- shopLink
- createdBy
- updatedBy
- createdAt
- updatedAt
- partnerId
- iconId
- partner
- icon
- shopifyOrders
-}
-",
- "shopifyOrderFragment": "fragment shopifyOrderFragment on ShopifyOrder {
- id
- orderId
- email
- orderStatus
- financialStatus
- subtotalPrice
- orderCreatedAt
- orderClosedAt
- bitcoinUpdatedAt
- bitcoinRebate
- bitcoinAddress
- paidDate
- transactionId
- createdBy
- updatedBy
- createdAt
- updatedAt
- partnerId
- shopifyAccountId
- partner
- shopifyAccount
-}
-",
- "shopifySecretFragment": "fragment shopifySecretFragment on ShopifySecret {
- id
- shopifyAccountId
- name
- value
- enc
-}
-",
- "shopifySecretsUpsertMutation": "mutation shopifySecretsUpsertMutation($vShopifyAccountId: UUID!, $secretName: String!, $secretValue: String!, $fieldEncoding: String!) {
- shopifySecretsUpsert(
- input: {vShopifyAccountId: $vShopifyAccountId, secretName: $secretName, secretValue: $secretValue, fieldEncoding: $fieldEncoding}
- ) {
- boolean
- }
-}
-",
- "signInRecordFailureMutation": "mutation signInRecordFailureMutation($bitcoinAddress: String!) {
- signInRecordFailure(input: {bitcoinAddress: $bitcoinAddress}) {
- clientMutationId
- }
-}
-",
- "signInRequestChallengeMutation": "mutation signInRequestChallengeMutation($bitcoinAddress: String!) {
- signInRequestChallenge(input: {bitcoinAddress: $bitcoinAddress}) {
- string
- }
-}
-",
- "signInWithChallengeMutation": "mutation signInWithChallengeMutation($bitcoinAddress: String!, $specialValue: String!) {
- signInWithChallenge(
- input: {bitcoinAddress: $bitcoinAddress, specialValue: $specialValue}
- ) {
- clientMutationId
- }
-}
-",
- "signUpWithBitcoinAddressMutation": "mutation signUpWithBitcoinAddressMutation($bitcoinAddress: String!) {
- signUpWithBitcoinAddress(input: {bitcoinAddress: $bitcoinAddress}) {
- clientMutationId
- }
-}
-",
- "updateApiTokenByAccessTokenMutation": "mutation updateApiTokenByAccessTokenMutation($accessToken: String!, $userId: UUID, $accessTokenExpiresAt: Datetime) {
- updateApiTokenByAccessToken(
- input: {accessToken: $accessToken, patch: {userId: $userId, accessTokenExpiresAt: $accessTokenExpiresAt}}
- ) {
- apiToken {
- id
- }
- clientMutationId
- }
-}
-",
- "updateApiTokenMutation": "mutation updateApiTokenMutation($id: UUID!, $userId: UUID, $accessToken: String, $accessTokenExpiresAt: Datetime) {
- updateApiToken(
- input: {id: $id, patch: {userId: $userId, accessToken: $accessToken, accessTokenExpiresAt: $accessTokenExpiresAt}}
- ) {
- apiToken {
- id
- }
- clientMutationId
- }
-}
-",
- "updateArticleMutation": "mutation updateArticleMutation($id: UUID!, $header: String, $url: String, $image: String, $datePublished: Datetime, $ownerId: UUID) {
- updateArticle(
- input: {id: $id, patch: {header: $header, url: $url, image: $image, datePublished: $datePublished, ownerId: $ownerId}}
- ) {
- article {
- id
- }
- clientMutationId
- }
-}
-",
- "updateCampaignActionByNameMutation": "mutation updateCampaignActionByNameMutation($name: String!, $description: String, $rewardUnit: String, $rewardAmount: BigFloat, $totalBitcoinLimit: BigFloat, $actionWeeklyLimit: Int, $actionDailyLimit: Int, $userTotalLimit: Int, $userWeeklyLimit: Int, $userDailyLimit: Int, $startDate: Datetime, $endDate: Datetime, $campaignId: UUID, $partnerId: UUID, $thumbnailId: UUID) {
- updateCampaignActionByName(
- input: {name: $name, patch: {description: $description, rewardUnit: $rewardUnit, rewardAmount: $rewardAmount, totalBitcoinLimit: $totalBitcoinLimit, actionWeeklyLimit: $actionWeeklyLimit, actionDailyLimit: $actionDailyLimit, userTotalLimit: $userTotalLimit, userWeeklyLimit: $userWeeklyLimit, userDailyLimit: $userDailyLimit, startDate: $startDate, endDate: $endDate, campaignId: $campaignId, partnerId: $partnerId, thumbnailId: $thumbnailId}}
- ) {
- campaignAction {
- id
- }
- clientMutationId
- }
-}
-",
- "updateCampaignActionMutation": "mutation updateCampaignActionMutation($id: UUID!, $name: String, $description: String, $rewardUnit: String, $rewardAmount: BigFloat, $totalBitcoinLimit: BigFloat, $actionWeeklyLimit: Int, $actionDailyLimit: Int, $userTotalLimit: Int, $userWeeklyLimit: Int, $userDailyLimit: Int, $startDate: Datetime, $endDate: Datetime, $campaignId: UUID, $partnerId: UUID, $thumbnailId: UUID) {
- updateCampaignAction(
- input: {id: $id, patch: {name: $name, description: $description, rewardUnit: $rewardUnit, rewardAmount: $rewardAmount, totalBitcoinLimit: $totalBitcoinLimit, actionWeeklyLimit: $actionWeeklyLimit, actionDailyLimit: $actionDailyLimit, userTotalLimit: $userTotalLimit, userWeeklyLimit: $userWeeklyLimit, userDailyLimit: $userDailyLimit, startDate: $startDate, endDate: $endDate, campaignId: $campaignId, partnerId: $partnerId, thumbnailId: $thumbnailId}}
- ) {
- campaignAction {
- id
- }
- clientMutationId
- }
-}
-",
- "updateCampaignMutation": "mutation updateCampaignMutation($id: UUID!, $name: String, $description: String, $startDate: Datetime, $endDate: Datetime, $partnerId: UUID, $logoId: UUID, $backgroundImageId: UUID) {
- updateCampaign(
- input: {id: $id, patch: {name: $name, description: $description, startDate: $startDate, endDate: $endDate, partnerId: $partnerId, logoId: $logoId, backgroundImageId: $backgroundImageId}}
- ) {
- campaign {
- id
- }
- clientMutationId
- }
-}
-",
- "updateCompletedActionMutation": "mutation updateCompletedActionMutation($id: UUID!, $dateCompleted: Datetime, $txid: String, $userId: UUID, $actionId: UUID) {
- updateCompletedAction(
- input: {id: $id, patch: {dateCompleted: $dateCompleted, txid: $txid, userId: $userId, actionId: $actionId}}
- ) {
- completedAction {
- id
- }
- clientMutationId
- }
-}
-",
- "updateImageMutation": "mutation updateImageMutation($id: UUID!, $name: String, $url: String, $versions: JSON) {
- updateImage(
- input: {id: $id, patch: {name: $name, url: $url, versions: $versions}}
- ) {
- image {
- id
- }
- clientMutationId
- }
-}
-",
- "updateInitiativesPyraRecordMutation": "mutation updateInitiativesPyraRecordMutation($id: UUID!, $name: String, $email: String, $bitcoinAddress: String, $date: Datetime, $actionsCompleted: Int, $actionId: UUID) {
- updateInitiativesPyraRecord(
- input: {id: $id, patch: {name: $name, email: $email, bitcoinAddress: $bitcoinAddress, date: $date, actionsCompleted: $actionsCompleted, actionId: $actionId}}
- ) {
- initiativesPyraRecord {
- id
- }
- clientMutationId
- }
-}
-",
- "updateMerchantMutation": "mutation updateMerchantMutation($id: UUID!, $name: String, $bitcoinAddress: String, $description: String, $ownerId: UUID, $logoId: UUID, $backgroundImageId: UUID) {
- updateMerchant(
- input: {id: $id, patch: {name: $name, bitcoinAddress: $bitcoinAddress, description: $description, ownerId: $ownerId, logoId: $logoId, backgroundImageId: $backgroundImageId}}
- ) {
- merchant {
- id
- }
- clientMutationId
- }
-}
-",
- "updatePartnerMutation": "mutation updatePartnerMutation($id: UUID!, $name: String, $description: String, $bitcoinAddress: String, $ownerId: UUID, $logoId: UUID, $backgroundImageId: UUID) {
- updatePartner(
- input: {id: $id, patch: {name: $name, description: $description, bitcoinAddress: $bitcoinAddress, ownerId: $ownerId, logoId: $logoId, backgroundImageId: $backgroundImageId}}
- ) {
- partner {
- id
- }
- clientMutationId
- }
-}
-",
- "updatePermissionMutation": "mutation updatePermissionMutation($id: UUID!, $name: String, $userId: UUID) {
- updatePermission(input: {id: $id, patch: {name: $name, userId: $userId}}) {
- permission {
- id
- }
- clientMutationId
- }
-}
-",
- "updateProductMutation": "mutation updateProductMutation($id: UUID!, $name: String, $url: String, $merchantId: UUID, $iconId: UUID) {
- updateProduct(
- input: {id: $id, patch: {name: $name, url: $url, merchantId: $merchantId, iconId: $iconId}}
- ) {
- product {
- id
- }
- clientMutationId
- }
-}
-",
- "updateServiceMutation": "mutation updateServiceMutation($id: UUID!, $name: String, $description: String, $type: String, $data: JSON, $campaignActionId: UUID, $iconId: UUID) {
- updateService(
- input: {id: $id, patch: {name: $name, description: $description, type: $type, data: $data, campaignActionId: $campaignActionId, iconId: $iconId}}
- ) {
- service {
- id
- }
- clientMutationId
- }
-}
-",
- "updateShopifyAccountMutation": "mutation updateShopifyAccountMutation($id: UUID!, $name: String, $shopLink: String, $partnerId: UUID, $iconId: UUID) {
- updateShopifyAccount(
- input: {id: $id, patch: {name: $name, shopLink: $shopLink, partnerId: $partnerId, iconId: $iconId}}
- ) {
- shopifyAccount {
- id
- }
- clientMutationId
- }
-}
-",
- "updateShopifyOrderByOrderIdAndEmailAndShopifyAccountIdMutation": "mutation updateShopifyOrderByOrderIdAndEmailAndShopifyAccountIdMutation($orderId: Int!, $email: String!, $shopifyAccountId: UUID!, $orderStatus: String, $financialStatus: String, $subtotalPrice: BigFloat, $orderCreatedAt: Datetime, $orderClosedAt: Datetime, $bitcoinUpdatedAt: Datetime, $bitcoinRebate: BigFloat, $bitcoinAddress: String, $paidDate: Datetime, $transactionId: String, $partnerId: UUID) {
- updateShopifyOrderByOrderIdAndEmailAndShopifyAccountId(
- input: {orderId: $orderId, email: $email, shopifyAccountId: $shopifyAccountId, patch: {orderStatus: $orderStatus, financialStatus: $financialStatus, subtotalPrice: $subtotalPrice, orderCreatedAt: $orderCreatedAt, orderClosedAt: $orderClosedAt, bitcoinUpdatedAt: $bitcoinUpdatedAt, bitcoinRebate: $bitcoinRebate, bitcoinAddress: $bitcoinAddress, paidDate: $paidDate, transactionId: $transactionId, partnerId: $partnerId}}
- ) {
- shopifyOrder {
- id
- }
- clientMutationId
- }
-}
-",
- "updateShopifyOrderMutation": "mutation updateShopifyOrderMutation($id: UUID!, $orderId: Int, $email: String, $orderStatus: String, $financialStatus: String, $subtotalPrice: BigFloat, $orderCreatedAt: Datetime, $orderClosedAt: Datetime, $bitcoinUpdatedAt: Datetime, $bitcoinRebate: BigFloat, $bitcoinAddress: String, $paidDate: Datetime, $transactionId: String, $partnerId: UUID, $shopifyAccountId: UUID) {
- updateShopifyOrder(
- input: {id: $id, patch: {orderId: $orderId, email: $email, orderStatus: $orderStatus, financialStatus: $financialStatus, subtotalPrice: $subtotalPrice, orderCreatedAt: $orderCreatedAt, orderClosedAt: $orderClosedAt, bitcoinUpdatedAt: $bitcoinUpdatedAt, bitcoinRebate: $bitcoinRebate, bitcoinAddress: $bitcoinAddress, paidDate: $paidDate, transactionId: $transactionId, partnerId: $partnerId, shopifyAccountId: $shopifyAccountId}}
- ) {
- shopifyOrder {
- id
- }
- clientMutationId
- }
-}
-",
- "updateShopifySecretByShopifyAccountIdAndNameMutation": "mutation updateShopifySecretByShopifyAccountIdAndNameMutation($shopifyAccountId: UUID!, $name: String!, $value: String, $enc: String) {
- updateShopifySecretByShopifyAccountIdAndName(
- input: {shopifyAccountId: $shopifyAccountId, name: $name, patch: {value: $value, enc: $enc}}
- ) {
- shopifySecret {
- id
- }
- clientMutationId
- }
-}
-",
- "updateShopifySecretMutation": "mutation updateShopifySecretMutation($id: UUID!, $shopifyAccountId: UUID, $name: String, $value: String, $enc: String) {
- updateShopifySecret(
- input: {id: $id, patch: {shopifyAccountId: $shopifyAccountId, name: $name, value: $value, enc: $enc}}
- ) {
- shopifySecret {
- id
- }
- clientMutationId
- }
-}
-",
- "updateUserByBitcoinAddressMutation": "mutation updateUserByBitcoinAddressMutation($bitcoinAddress: String!, $username: String) {
- updateUserByBitcoinAddress(
- input: {bitcoinAddress: $bitcoinAddress, patch: {username: $username}}
- ) {
- user {
- id
- }
- clientMutationId
- }
-}
-",
- "updateUserByUsernameMutation": "mutation updateUserByUsernameMutation($username: String!, $bitcoinAddress: String) {
- updateUserByUsername(
- input: {username: $username, patch: {bitcoinAddress: $bitcoinAddress}}
- ) {
- user {
- id
- }
- clientMutationId
- }
-}
-",
- "updateUserEncryptedSecretByUserIdAndNameMutation": "mutation updateUserEncryptedSecretByUserIdAndNameMutation($userId: UUID!, $name: String!, $value: String, $enc: String) {
- updateUserEncryptedSecretByUserIdAndName(
- input: {userId: $userId, name: $name, patch: {value: $value, enc: $enc}}
- ) {
- userEncryptedSecret {
- id
- }
- clientMutationId
- }
-}
-",
- "updateUserEncryptedSecretMutation": "mutation updateUserEncryptedSecretMutation($id: UUID!, $userId: UUID, $name: String, $value: String, $enc: String) {
- updateUserEncryptedSecret(
- input: {id: $id, patch: {userId: $userId, name: $name, value: $value, enc: $enc}}
- ) {
- userEncryptedSecret {
- id
- }
- clientMutationId
- }
-}
-",
- "updateUserMutation": "mutation updateUserMutation($id: UUID!, $username: String, $bitcoinAddress: String) {
- updateUser(
- input: {id: $id, patch: {username: $username, bitcoinAddress: $bitcoinAddress}}
- ) {
- user {
- id
- }
- clientMutationId
- }
-}
-",
- "updateUserSecretByUserIdAndNameMutation": "mutation updateUserSecretByUserIdAndNameMutation($userId: UUID!, $name: String!, $value: String) {
- updateUserSecretByUserIdAndName(
- input: {userId: $userId, name: $name, patch: {value: $value}}
- ) {
- userSecret {
- id
- }
- clientMutationId
- }
-}
-",
- "updateUserSecretMutation": "mutation updateUserSecretMutation($id: UUID!, $userId: UUID, $name: String, $value: String) {
- updateUserSecret(
- input: {id: $id, patch: {userId: $userId, name: $name, value: $value}}
- ) {
- userSecret {
- id
- }
- clientMutationId
- }
-}
-",
- "userEncryptedSecretFragment": "fragment userEncryptedSecretFragment on UserEncryptedSecret {
- id
- userId
- name
- value
- enc
-}
-",
- "userEncryptedSecretsUpsertMutation": "mutation userEncryptedSecretsUpsertMutation($vUserId: UUID!, $secretName: String!, $secretValue: String!, $fieldEncoding: String!) {
- userEncryptedSecretsUpsert(
- input: {vUserId: $vUserId, secretName: $secretName, secretValue: $secretValue, fieldEncoding: $fieldEncoding}
- ) {
- boolean
- }
-}
-",
- "userFragment": "fragment userFragment on User {
- id
- username
- bitcoinAddress
- permissions
- completedActions
-}
-",
- "userSecretFragment": "fragment userSecretFragment on UserSecret {
- id
- userId
- name
- value
-}
-",
- "uuidGenerateSeededUuidMutation": "mutation uuidGenerateSeededUuidMutation($seed: String!) {
- uuidGenerateSeededUuid(input: {seed: $seed}) {
- uuid
- }
-}
-",
- "uuidGenerateV4Mutation": "mutation uuidGenerateV4Mutation($input: UuidGenerateV4Input!) {
- uuidGenerateV4(input: $input) {
- uuid
- }
-}
-",
-}
-`;
-
-exports[`GraphQL Code Generation getMany(): works with nested selection: getMany - actionItems 1`] = `
-"query getActionItemsQueryAll {
- actionItems {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- name
- description
- type
- itemOrder
- isRequired
- notificationText
- embedCode
- url
- media
- ownerId
- createdBy
- updatedBy
- createdAt
- updatedAt
- actionId
- userActionItems(first: 3) {
- edges {
- cursor
- node {
- id
- value
- status
- createdBy
- updatedBy
- createdAt
- updatedAt
- userId
- actionId
- userActionId
- actionItemId
- }
- }
- }
- }
- }
- }
-}
-"
-`;
-
-exports[`GraphQL Code Generation getManyPaginatedNodes(): works with nested selection: getManyPaginatedNodes - actionItems 1`] = `
-"query getActionItemsQuery($first: Int, $last: Int, $after: Cursor, $before: Cursor, $offset: Int, $condition: ActionItemCondition, $filter: ActionItemFilter, $orderBy: [ActionItemsOrderBy!]) {
- actionItems(
- first: $first
- last: $last
- offset: $offset
- after: $after
- before: $before
- condition: $condition
- filter: $filter
- orderBy: $orderBy
- ) {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- nodes {
- id
- name
- description
- type
- itemOrder
- isRequired
- notificationText
- embedCode
- url
- media
- ownerId
- createdBy
- updatedBy
- createdAt
- updatedAt
- actionId
- userActionItems(first: 3) {
- edges {
- cursor
- node {
- id
- value
- status
- createdBy
- updatedBy
- createdAt
- updatedAt
- userId
- actionId
- userActionId
- actionItemId
- }
- }
- }
- }
- }
-}
-"
-`;
-
-exports[`GraphQL Code Generation getOne(): works with nested selection: getOne - action 1`] = `
-"query getActionQuery($id: UUID!) {
- action(id: $id) {
- id
- slug
- photo
- title
- description
- discoveryHeader
- discoveryDescription
- enableNotifications
- enableNotificationsText
- search
- locationRadius
- startDate
- endDate
- approved
- rewardAmount
- activityFeedText
- callToAction
- completedActionText
- alreadyCompletedActionText
- tags
- createdBy
- updatedBy
- createdAt
- updatedAt
- ownerId
- actionGoals(first: 3) {
- edges {
- cursor
- node {
- createdBy
- updatedBy
- createdAt
- updatedAt
- actionId
- goalId
- ownerId
- }
- }
- }
- actionResults(first: 3) {
- edges {
- cursor
- node {
- id
- createdBy
- updatedBy
- createdAt
- updatedAt
- actionId
- ownerId
- }
- }
- }
- actionItems(first: 3) {
- edges {
- cursor
- node {
- id
- name
- description
- type
- itemOrder
- isRequired
- notificationText
- embedCode
- url
- media
- ownerId
- createdBy
- updatedBy
- createdAt
- updatedAt
- actionId
- }
- }
- }
- userActions(first: 3) {
- edges {
- cursor
- node {
- id
- actionStarted
- complete
- verified
- verifiedDate
- userRating
- rejected
- rejectedReason
- createdBy
- updatedBy
- createdAt
- updatedAt
- userId
- verifierId
- actionId
- }
- }
- }
- userActionResults(first: 3) {
- edges {
- cursor
- node {
- id
- value
- createdBy
- updatedBy
- createdAt
- updatedAt
- userId
- actionId
- userActionId
- actionResultId
- }
- }
- }
- userActionItems(first: 3) {
- edges {
- cursor
- node {
- id
- value
- status
- createdBy
- updatedBy
- createdAt
- updatedAt
- userId
- actionId
- userActionId
- actionItemId
- }
- }
- }
- userPassActions(first: 3) {
- edges {
- cursor
- node {
- id
- createdBy
- updatedBy
- createdAt
- updatedAt
- userId
- actionId
- }
- }
- }
- userSavedActions(first: 3) {
- edges {
- cursor
- node {
- id
- createdBy
- updatedBy
- createdAt
- updatedAt
- userId
- actionId
- }
- }
- }
- userViewedActions(first: 3) {
- edges {
- cursor
- node {
- id
- createdBy
- updatedBy
- createdAt
- updatedAt
- userId
- actionId
- }
- }
- }
- userActionReactions(first: 3) {
- edges {
- cursor
- node {
- id
- createdBy
- updatedBy
- createdAt
- updatedAt
- userActionId
- userId
- reacterId
- actionId
- }
- }
- }
- searchRank
- goals(first: 3) {
- edges {
- cursor
- node {
- id
- name
- slug
- shortName
- icon
- subHead
- tags
- search
- createdBy
- updatedBy
- createdAt
- updatedAt
- searchRank
- }
- }
- }
- }
-}
-"
-`;
diff --git a/graphql/codegen/__tests__/__snapshots__/codegen.test.ts.snap b/graphql/codegen/__tests__/__snapshots__/codegen.test.ts.snap
deleted file mode 100644
index 0e68c2313..000000000
--- a/graphql/codegen/__tests__/__snapshots__/codegen.test.ts.snap
+++ /dev/null
@@ -1,901 +0,0 @@
-// Jest Snapshot v1, https://jestjs.io/docs/snapshot-testing
-
-exports[`generates output 1`] = `
-{
- "activeUserFragment": "fragment activeUserFragment on ActiveUser {
- id
- username
-}
-",
- "createActiveUserMutation": "mutation createActiveUserMutation($username: String) {
- createActiveUser(input: {activeUser: {username: $username}}) {
- activeUser {
- id
- }
- clientMutationId
- }
-}
-",
- "createPostMutation": "mutation createPostMutation($userId: Int!, $title: String!, $body: String, $published: Boolean, $publishedAt: Datetime) {
- createPost(
- input: {post: {userId: $userId, title: $title, body: $body, published: $published, publishedAt: $publishedAt}}
- ) {
- post {
- id
- }
- clientMutationId
- }
-}
-",
- "createUserMutation": "mutation createUserMutation($username: String!, $email: String) {
- createUser(input: {user: {username: $username, email: $email}}) {
- user {
- id
- }
- clientMutationId
- }
-}
-",
- "deletePostMutation": "mutation deletePostMutation($id: UUID!) {
- deletePost(input: {id: $id}) {
- clientMutationId
- }
-}
-",
- "deleteUserByUsernameMutation": "mutation deleteUserByUsernameMutation($username: String!) {
- deleteUserByUsername(input: {username: $username}) {
- clientMutationId
- }
-}
-",
- "deleteUserMutation": "mutation deleteUserMutation($id: Int!) {
- deleteUser(input: {id: $id}) {
- clientMutationId
- }
-}
-",
- "getActiveUsersOrderByEnums": "query getActiveUsersOrderByEnums {
- __type(name: "ActiveUsersOrderBy") {
- enumValues {
- name
- }
- }
-}
-",
- "getActiveUsersPaginated": "query getActiveUsersPaginated($first: Int, $last: Int, $offset: Int, $after: Cursor, $before: Cursor, $condition: ActiveUserCondition, $filter: ActiveUserFilter, $orderBy: [ActiveUsersOrderBy!]) {
- activeUsers(
- first: $first
- last: $last
- offset: $offset
- after: $after
- before: $before
- condition: $condition
- filter: $filter
- orderBy: $orderBy
- ) {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- username
- }
- }
- }
-}
-",
- "getActiveUsersQueryAll": "query getActiveUsersQueryAll {
- activeUsers {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- username
- }
- }
- }
-}
-",
- "getMetaQuery": "query getMetaQuery {
- _meta {
- tables {
- name
- }
- }
-}
-",
- "getPostQuery": "query getPostQuery($id: UUID!) {
- post(id: $id) {
- id
- userId
- title
- body
- published
- publishedAt
- user {
- id
- username
- email
- createdAt
- }
- }
-}
-",
- "getPostsOrderByEnums": "query getPostsOrderByEnums {
- __type(name: "PostsOrderBy") {
- enumValues {
- name
- }
- }
-}
-",
- "getPostsPaginated": "query getPostsPaginated($first: Int, $last: Int, $offset: Int, $after: Cursor, $before: Cursor, $condition: PostCondition, $filter: PostFilter, $orderBy: [PostsOrderBy!]) {
- posts(
- first: $first
- last: $last
- offset: $offset
- after: $after
- before: $before
- condition: $condition
- filter: $filter
- orderBy: $orderBy
- ) {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- userId
- title
- body
- published
- publishedAt
- user {
- id
- username
- email
- createdAt
- }
- }
- }
- }
-}
-",
- "getPostsQueryAll": "query getPostsQueryAll {
- posts {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- userId
- title
- body
- published
- publishedAt
- user {
- id
- username
- email
- createdAt
- }
- }
- }
- }
-}
-",
- "getQueryQuery": "query getQueryQuery {
- query {
- query {
- userCount
- }
- activeUsers(first: 3) {
- edges {
- cursor
- node {
- id
- username
- }
- }
- }
- posts(first: 3) {
- edges {
- cursor
- node {
- id
- userId
- title
- body
- published
- publishedAt
- }
- }
- }
- users(first: 3) {
- edges {
- cursor
- node {
- id
- username
- email
- createdAt
- }
- }
- }
- userCount
- _meta {
- __typename
- }
- }
-}
-",
- "getUserByUsernameQuery": "query getUserByUsernameQuery($username: String!) {
- userByUsername(username: $username) {
- id
- username
- email
- createdAt
- posts(first: 3) {
- edges {
- cursor
- node {
- id
- userId
- title
- body
- published
- publishedAt
- }
- }
- }
- }
-}
-",
- "getUserQuery": "query getUserQuery($id: Int!) {
- user(id: $id) {
- id
- username
- email
- createdAt
- posts(first: 3) {
- edges {
- cursor
- node {
- id
- userId
- title
- body
- published
- publishedAt
- }
- }
- }
- }
-}
-",
- "getUsersOrderByEnums": "query getUsersOrderByEnums {
- __type(name: "UsersOrderBy") {
- enumValues {
- name
- }
- }
-}
-",
- "getUsersPaginated": "query getUsersPaginated($first: Int, $last: Int, $offset: Int, $after: Cursor, $before: Cursor, $condition: UserCondition, $filter: UserFilter, $orderBy: [UsersOrderBy!]) {
- users(
- first: $first
- last: $last
- offset: $offset
- after: $after
- before: $before
- condition: $condition
- filter: $filter
- orderBy: $orderBy
- ) {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- username
- email
- createdAt
- posts(first: 3) {
- edges {
- cursor
- node {
- id
- userId
- title
- body
- published
- publishedAt
- }
- }
- }
- }
- }
- }
-}
-",
- "getUsersQueryAll": "query getUsersQueryAll {
- users {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- username
- email
- createdAt
- posts(first: 3) {
- edges {
- cursor
- node {
- id
- userId
- title
- body
- published
- publishedAt
- }
- }
- }
- }
- }
- }
-}
-",
- "postFragment": "fragment postFragment on Post {
- id
- userId
- title
- body
- published
- publishedAt
- user {
- id
- username
- email
- createdAt
- }
-}
-",
- "updatePostMutation": "mutation updatePostMutation($id: UUID!, $userId: Int, $title: String, $body: String, $published: Boolean, $publishedAt: Datetime) {
- updatePost(
- input: {id: $id, patch: {userId: $userId, title: $title, body: $body, published: $published, publishedAt: $publishedAt}}
- ) {
- post {
- id
- }
- clientMutationId
- }
-}
-",
- "updateUserByUsernameMutation": "mutation updateUserByUsernameMutation($username: String!, $email: String) {
- updateUserByUsername(input: {username: $username, patch: {email: $email}}) {
- user {
- id
- }
- clientMutationId
- }
-}
-",
- "updateUserMutation": "mutation updateUserMutation($id: Int!, $username: String, $email: String) {
- updateUser(input: {id: $id, patch: {username: $username, email: $email}}) {
- user {
- id
- }
- clientMutationId
- }
-}
-",
- "userFragment": "fragment userFragment on User {
- id
- username
- email
- createdAt
- posts(first: 3) {
- edges {
- cursor
- node {
- id
- userId
- title
- body
- published
- publishedAt
- }
- }
- }
-}
-",
-}
-`;
-
-exports[`helper method 1`] = `
-{
- "activeUserFragment": "fragment activeUserFragment on ActiveUser {
- id
- username
-}
-",
- "createActiveUserMutation": "mutation createActiveUserMutation($username: String) {
- createActiveUser(input: {activeUser: {username: $username}}) {
- activeUser {
- id
- }
- clientMutationId
- }
-}
-",
- "createPostMutation": "mutation createPostMutation($userId: Int!, $title: String!, $body: String, $published: Boolean, $publishedAt: Datetime) {
- createPost(
- input: {post: {userId: $userId, title: $title, body: $body, published: $published, publishedAt: $publishedAt}}
- ) {
- post {
- id
- }
- clientMutationId
- }
-}
-",
- "createUserMutation": "mutation createUserMutation($username: String!, $email: String) {
- createUser(input: {user: {username: $username, email: $email}}) {
- user {
- id
- }
- clientMutationId
- }
-}
-",
- "deletePostMutation": "mutation deletePostMutation($id: UUID!) {
- deletePost(input: {id: $id}) {
- clientMutationId
- }
-}
-",
- "deleteUserByUsernameMutation": "mutation deleteUserByUsernameMutation($username: String!) {
- deleteUserByUsername(input: {username: $username}) {
- clientMutationId
- }
-}
-",
- "deleteUserMutation": "mutation deleteUserMutation($id: Int!) {
- deleteUser(input: {id: $id}) {
- clientMutationId
- }
-}
-",
- "getActiveUsersOrderByEnums": "query getActiveUsersOrderByEnums {
- __type(name: "ActiveUsersOrderBy") {
- enumValues {
- name
- }
- }
-}
-",
- "getActiveUsersPaginated": "query getActiveUsersPaginated($first: Int, $last: Int, $offset: Int, $after: Cursor, $before: Cursor, $condition: ActiveUserCondition, $filter: ActiveUserFilter, $orderBy: [ActiveUsersOrderBy!]) {
- activeUsers(
- first: $first
- last: $last
- offset: $offset
- after: $after
- before: $before
- condition: $condition
- filter: $filter
- orderBy: $orderBy
- ) {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- username
- }
- }
- }
-}
-",
- "getActiveUsersQueryAll": "query getActiveUsersQueryAll {
- activeUsers {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- username
- }
- }
- }
-}
-",
- "getMetaQuery": "query getMetaQuery {
- _meta {
- tables {
- name
- }
- }
-}
-",
- "getPostQuery": "query getPostQuery($id: UUID!) {
- post(id: $id) {
- id
- userId
- title
- body
- published
- publishedAt
- user {
- id
- username
- email
- createdAt
- }
- }
-}
-",
- "getPostsOrderByEnums": "query getPostsOrderByEnums {
- __type(name: "PostsOrderBy") {
- enumValues {
- name
- }
- }
-}
-",
- "getPostsPaginated": "query getPostsPaginated($first: Int, $last: Int, $offset: Int, $after: Cursor, $before: Cursor, $condition: PostCondition, $filter: PostFilter, $orderBy: [PostsOrderBy!]) {
- posts(
- first: $first
- last: $last
- offset: $offset
- after: $after
- before: $before
- condition: $condition
- filter: $filter
- orderBy: $orderBy
- ) {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- userId
- title
- body
- published
- publishedAt
- user {
- id
- username
- email
- createdAt
- }
- }
- }
- }
-}
-",
- "getPostsQueryAll": "query getPostsQueryAll {
- posts {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- userId
- title
- body
- published
- publishedAt
- user {
- id
- username
- email
- createdAt
- }
- }
- }
- }
-}
-",
- "getQueryQuery": "query getQueryQuery {
- query {
- query {
- userCount
- }
- activeUsers(first: 3) {
- edges {
- cursor
- node {
- id
- username
- }
- }
- }
- posts(first: 3) {
- edges {
- cursor
- node {
- id
- userId
- title
- body
- published
- publishedAt
- }
- }
- }
- users(first: 3) {
- edges {
- cursor
- node {
- id
- username
- email
- createdAt
- }
- }
- }
- userCount
- _meta {
- __typename
- }
- }
-}
-",
- "getUserByUsernameQuery": "query getUserByUsernameQuery($username: String!) {
- userByUsername(username: $username) {
- id
- username
- email
- createdAt
- posts(first: 3) {
- edges {
- cursor
- node {
- id
- userId
- title
- body
- published
- publishedAt
- }
- }
- }
- }
-}
-",
- "getUserQuery": "query getUserQuery($id: Int!) {
- user(id: $id) {
- id
- username
- email
- createdAt
- posts(first: 3) {
- edges {
- cursor
- node {
- id
- userId
- title
- body
- published
- publishedAt
- }
- }
- }
- }
-}
-",
- "getUsersOrderByEnums": "query getUsersOrderByEnums {
- __type(name: "UsersOrderBy") {
- enumValues {
- name
- }
- }
-}
-",
- "getUsersPaginated": "query getUsersPaginated($first: Int, $last: Int, $offset: Int, $after: Cursor, $before: Cursor, $condition: UserCondition, $filter: UserFilter, $orderBy: [UsersOrderBy!]) {
- users(
- first: $first
- last: $last
- offset: $offset
- after: $after
- before: $before
- condition: $condition
- filter: $filter
- orderBy: $orderBy
- ) {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- username
- email
- createdAt
- posts(first: 3) {
- edges {
- cursor
- node {
- id
- userId
- title
- body
- published
- publishedAt
- }
- }
- }
- }
- }
- }
-}
-",
- "getUsersQueryAll": "query getUsersQueryAll {
- users {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- username
- email
- createdAt
- posts(first: 3) {
- edges {
- cursor
- node {
- id
- userId
- title
- body
- published
- publishedAt
- }
- }
- }
- }
- }
- }
-}
-",
- "postFragment": "fragment postFragment on Post {
- id
- userId
- title
- body
- published
- publishedAt
- user {
- id
- username
- email
- createdAt
- }
-}
-",
- "updatePostMutation": "mutation updatePostMutation($id: UUID!, $userId: Int, $title: String, $body: String, $published: Boolean, $publishedAt: Datetime) {
- updatePost(
- input: {id: $id, patch: {userId: $userId, title: $title, body: $body, published: $published, publishedAt: $publishedAt}}
- ) {
- post {
- id
- }
- clientMutationId
- }
-}
-",
- "updateUserByUsernameMutation": "mutation updateUserByUsernameMutation($username: String!, $email: String) {
- updateUserByUsername(input: {username: $username, patch: {email: $email}}) {
- user {
- id
- }
- clientMutationId
- }
-}
-",
- "updateUserMutation": "mutation updateUserMutation($id: Int!, $username: String, $email: String) {
- updateUser(input: {id: $id, patch: {username: $username, email: $email}}) {
- user {
- id
- }
- clientMutationId
- }
-}
-",
- "userFragment": "fragment userFragment on User {
- id
- username
- email
- createdAt
- posts(first: 3) {
- edges {
- cursor
- node {
- id
- userId
- title
- body
- published
- publishedAt
- }
- }
- }
-}
-",
-}
-`;
diff --git a/graphql/codegen/__tests__/__snapshots__/granular.test.ts.snap b/graphql/codegen/__tests__/__snapshots__/granular.test.ts.snap
deleted file mode 100644
index dadd7ceee..000000000
--- a/graphql/codegen/__tests__/__snapshots__/granular.test.ts.snap
+++ /dev/null
@@ -1,89 +0,0 @@
-// Jest Snapshot v1, https://jestjs.io/docs/snapshot-testing
-
-exports[`generate 1`] = `
-{
- "getActionQuery": "query getActionQuery($id: UUID!) {
- action(id: $id) {
- id
- name
- approved
- }
-}
-",
- "getActionsPaginated": "query getActionsPaginated($first: Int, $last: Int, $offset: Int, $after: Cursor, $before: Cursor, $condition: ActionCondition, $filter: ActionFilter, $orderBy: [ActionsOrderBy!]) {
- actions(
- first: $first
- last: $last
- offset: $offset
- after: $after
- before: $before
- condition: $condition
- filter: $filter
- orderBy: $orderBy
- ) {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- name
- approved
- }
- }
- }
-}
-",
- "getActionsQuery": "query getActionsQuery($first: Int, $last: Int, $after: Cursor, $before: Cursor, $offset: Int, $condition: ActionCondition, $filter: ActionFilter, $orderBy: [ActionsOrderBy!]) {
- actions(
- first: $first
- last: $last
- offset: $offset
- after: $after
- before: $before
- condition: $condition
- filter: $filter
- orderBy: $orderBy
- ) {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- nodes {
- id
- name
- approved
- }
- }
-}
-",
- "getActionsQueryAll": "query getActionsQueryAll {
- actions {
- totalCount
- pageInfo {
- hasNextPage
- hasPreviousPage
- endCursor
- startCursor
- }
- edges {
- cursor
- node {
- id
- name
- approved
- }
- }
- }
-}
-",
-}
-`;
diff --git a/graphql/codegen/__tests__/codegen.fixtures.test.ts b/graphql/codegen/__tests__/codegen.fixtures.test.ts
deleted file mode 100644
index 813fb4d24..000000000
--- a/graphql/codegen/__tests__/codegen.fixtures.test.ts
+++ /dev/null
@@ -1,78 +0,0 @@
-import { print } from 'graphql';
-
-import queryNestedSelectionMany from '../__fixtures__/api/query-nested-selection-many.json';
-import queryNestedSelectionOne from '../__fixtures__/api/query-nested-selection-one.json';
-import mutations from '../__fixtures__/mutations.json';
-import queries from '../__fixtures__/queries.json';
-import {
- getMany,
- getManyPaginatedNodes,
- getOne
-} from '../src';
-import { generateKeyedObjFromGqlMap } from '../test-utils/generate-from-introspection';
-
-// Type helper (optional but recommended for strong typing on selection fields)
-interface FlatField {
- name: string;
- selection: string[];
-}
-
-type QueryField = string | FlatField;
-
-interface NestedSelectionQuery {
- [key: string]: {
- model: string;
- selection: QueryField[];
- };
-}
-
-describe('GraphQL Code Generation', () => {
- it('generate(): full AST map snapshot', () => {
- // @ts-ignore
- const output = generateKeyedObjFromGqlMap({ ...queries, ...mutations });
- expect(output).toMatchSnapshot('full generate() output');
- });
-
- it('getManyPaginatedNodes(): works with nested selection', () => {
- const result = getManyPaginatedNodes({
- operationName: 'actionItems',
- // @ts-ignore
- query: (queryNestedSelectionMany as NestedSelectionQuery).actionItems
- });
-
- expect(print(result.ast)).toMatchSnapshot('getManyPaginatedNodes - actionItems');
- });
-
- it('getMany(): works with nested selection', () => {
- // @ts-ignore
- const result = getMany({
- operationName: 'actionItems',
- query: (queryNestedSelectionMany as NestedSelectionQuery).actionItems
- });
-
- expect(print(result.ast)).toMatchSnapshot('getMany - actionItems');
- });
-
- it('getOne(): works with nested selection', () => {
- const result = getOne({
- operationName: 'action',
- // @ts-ignore
- query: (queryNestedSelectionOne as NestedSelectionQuery).action
- });
-
- expect(print(result.ast)).toMatchSnapshot('getOne - action');
- });
-
-
- xit('getOne(): handles missing selection gracefully', () => {
- // @ts-ignore
- const badQuery = { model: 'action', selection: [] };
- const result = getOne({
- operationName: 'action',
- // @ts-ignore
- query: badQuery
- });
-
- expect(print(result.ast)).toMatchSnapshot('getOne - empty selection fallback');
- });
-});
diff --git a/graphql/codegen/__tests__/codegen.test.ts b/graphql/codegen/__tests__/codegen.test.ts
deleted file mode 100644
index 2595e6604..000000000
--- a/graphql/codegen/__tests__/codegen.test.ts
+++ /dev/null
@@ -1,63 +0,0 @@
-process.env.LOG_SCOPE = 'constructive-codegen';
-
-import { getConnections, GraphQLQueryFn, seed } from '@constructive-io/graphql-test';
-import { print } from 'graphql';
-import { IntrospectionQuery, IntrospectionQueryResult, parseGraphQuery } from 'introspectron';
-import { join } from 'path';
-
-import { generate, GqlMap } from '../src';
-import { generateKeyedObjFromIntrospection } from '../test-utils/generate-from-introspection';
-
-const sql = (f: string) => join(__dirname, '../sql', f);
-
-jest.setTimeout(30000);
-
-let teardown: () => Promise;
-let query: GraphQLQueryFn;
-let introspection: IntrospectionQueryResult;
-
-beforeAll(async () => {
- ({ query, teardown } = await getConnections(
- {
- schemas: ['constructive_gen']
- },
- [seed.sqlfile([sql('test.sql')])]
- ));
-});
-
-afterAll(() => teardown());
-
-beforeAll(async () => {
- const res = await query(IntrospectionQuery);
-
- if (res.errors) {
- console.error(res.errors);
- throw new Error('GraphQL introspection query failed');
- }
-
- introspection = res.data as IntrospectionQueryResult;
-});
-
-it('generates output', () => {
-
- const { queries, mutations } = parseGraphQuery(introspection);
- const gqlMap: GqlMap = { ...queries, ...mutations };
- const gen = generate(gqlMap);
- const output = Object.keys(gen).reduce>((acc, key) => {
- const entry = gen[key];
- if (entry?.ast) {
- // @ts-ignore
- acc[key] = print(entry.ast);
- }
- return acc;
- }, {});
-
- expect(output).toMatchSnapshot();
-
-});
-
-it('helper method', () => {
- expect(introspection).toBeDefined();
- const output = generateKeyedObjFromIntrospection(introspection);
- expect(output).toMatchSnapshot();
-});
diff --git a/graphql/codegen/__tests__/gql.mutations.test.ts b/graphql/codegen/__tests__/gql.mutations.test.ts
deleted file mode 100644
index 1a34e6c8e..000000000
--- a/graphql/codegen/__tests__/gql.mutations.test.ts
+++ /dev/null
@@ -1,133 +0,0 @@
-import { print } from 'graphql'
-import { createOne, patchOne, deleteOne, createMutation, MutationSpec } from '../src'
-
-describe('gql mutation builders', () => {
- it('createMutation: builds non-null vars and includes object outputs', () => {
- const mutation: MutationSpec = {
- model: 'Actions',
- properties: {
- input: {
- properties: {
- foo: { type: 'String' },
- list: { type: 'Int', isArray: true, isArrayNotNull: true }
- }
- }
- },
- outputs: [
- { name: 'clientMutationId', type: { kind: 'SCALAR' } },
- { name: 'node', type: { kind: 'OBJECT' } }
- ]
- }
-
- const res = createMutation({ operationName: 'customMutation', mutation })
- expect(res).toBeDefined()
- const s = print(res!.ast)
- expect(s).toContain('mutation customMutationMutation')
- expect(s).toContain('$foo: String!')
- expect(s).toContain('$list: [Int!]!')
- expect(s).toContain('clientMutationId')
- expect(s).toContain('node')
- })
-
- it('createOne: omits non-mutable props and uses non-null types', () => {
- const mutation: MutationSpec = {
- model: 'Actions',
- properties: {
- input: {
- properties: {
- action: {
- properties: {
- name: { type: 'String', isNotNull: true },
- createdAt: { type: 'Datetime', isNotNull: true }
- }
- }
- }
- }
- }
- }
-
- const res = createOne({ operationName: 'createAction', mutation })
- expect(res).toBeDefined()
- const s = print(res!.ast)
- expect(s).toContain('mutation createActionMutation')
- expect(s).toContain('$name: String!')
- expect(s).not.toContain('$createdAt')
- expect(s).toContain('clientMutationId')
- })
-
- it('patchOne: includes patch-by vars and optional patch attrs', () => {
- const mutation: MutationSpec = {
- model: 'Actions',
- properties: {
- input: {
- properties: {
- id: { type: 'UUID', isNotNull: true },
- patch: {
- properties: {
- name: { type: 'String' },
- approved: { type: 'Boolean' },
- createdAt: { type: 'Datetime' }
- }
- }
- }
- }
- }
- }
-
- const res = patchOne({ operationName: 'patchAction', mutation })
- expect(res).toBeDefined()
- const s = print(res!.ast)
- expect(s).toContain('mutation patchActionMutation')
- expect(s).toContain('$id: UUID!')
- expect(s).toContain('$name: String')
- expect(s).toContain('$approved: Boolean')
- expect(s).not.toContain('createdAt')
- expect(s).toContain('clientMutationId')
- })
-
- it('deleteOne: builds vars with non-null list wrappers for arrays', () => {
- const mutation: MutationSpec = {
- model: 'Actions',
- properties: {
- input: {
- properties: {
- id: { type: 'UUID', isNotNull: true },
- tags: { type: 'String', isArray: true }
- }
- }
- }
- }
-
- const res = deleteOne({ operationName: 'deleteAction', mutation })
- expect(res).toBeDefined()
- const s = print(res!.ast)
- expect(s).toContain('mutation deleteActionMutation')
- expect(s).toContain('$id: UUID!')
- expect(s).toContain('$tags: [String]!')
- expect(s).toContain('clientMutationId')
- })
-
- it('createOne: handles Regimen singularization and input key', () => {
- const mutation: MutationSpec = {
- model: 'Regimens',
- properties: {
- input: {
- properties: {
- regimen: {
- properties: {
- name: { type: 'String', isNotNull: true }
- }
- }
- }
- }
- }
- }
-
- const res = createOne({ operationName: 'createRegimen', mutation })
- expect(res).toBeDefined()
- const s = print(res!.ast)
- expect(s).toContain('mutation createRegimenMutation')
- expect(s).toContain('$name: String!')
- expect(s).toContain('regimen')
- })
-})
diff --git a/graphql/codegen/__tests__/granular.test.ts b/graphql/codegen/__tests__/granular.test.ts
deleted file mode 100644
index 84f9ebc09..000000000
--- a/graphql/codegen/__tests__/granular.test.ts
+++ /dev/null
@@ -1,23 +0,0 @@
-import { print } from 'graphql';
-
-import mutations from '../__fixtures__/api/mutations.json';
-import queries from '../__fixtures__/api/queries.json';
-import { generateGranular as generate } from '../src';
-
-it('generate', () => {
- // @ts-ignore
- const gen = generate({ ...queries, ...mutations }, 'Action', [
- 'id',
- 'name',
- 'approved'
- ]);
-
- const output = Object.keys(gen).reduce((m, key) => {
- if (gen[key]?.ast) {
- // @ts-ignore
- m[key] = print(gen[key].ast);
- }
- return m;
- }, {});
- expect(output).toMatchSnapshot();
-});
diff --git a/graphql/codegen/__tests__/options.test.ts b/graphql/codegen/__tests__/options.test.ts
deleted file mode 100644
index ffccaa35a..000000000
--- a/graphql/codegen/__tests__/options.test.ts
+++ /dev/null
@@ -1,46 +0,0 @@
-import { defaultGraphQLCodegenOptions, mergeGraphQLCodegenOptions } from '../src'
-
-describe('mergeGraphQLCodegenOptions', () => {
- it('deep merges input/output/documents/features', () => {
- const base = { ...defaultGraphQLCodegenOptions }
- const overrides = {
- input: { schema: 'schema.graphql', headers: { Authorization: 'Bearer TOKEN' } },
- output: {
- root: 'dist/custom-root',
- typesFile: base.output.typesFile,
- operationsDir: base.output.operationsDir,
- sdkFile: base.output.sdkFile,
- reactQueryFile: base.output.reactQueryFile
- },
- documents: { format: 'ts', convention: 'camelUpper', allowQueries: ['getActionQuery'] },
- features: { emitSdk: false, emitReactQuery: false }
- } as any
-
- const merged = mergeGraphQLCodegenOptions(base, overrides)
-
- expect(merged.input.schema).toBe('schema.graphql')
- expect(merged.input.endpoint).toBe('')
- expect(merged.input.headers?.Authorization).toBe('Bearer TOKEN')
-
- expect(merged.output.root).toBe('dist/custom-root')
- expect(merged.output.typesFile).toBe('types/generated.ts')
- expect(merged.output.operationsDir).toBe('operations')
-
- expect(merged.documents.format).toBe('ts')
- expect(merged.documents.convention).toBe('camelUpper')
- expect(merged.documents.allowQueries).toContain('getActionQuery')
-
- expect(merged.features.emitSdk).toBe(false)
- expect(merged.features.emitTypes).toBe(true)
- expect(merged.features.emitOperations).toBe(true)
- })
-
- it('does not include reactQuery overrides (current behavior)', () => {
- const base = { ...defaultGraphQLCodegenOptions }
- const overrides = { reactQuery: { fetcher: 'fetch', legacyMode: true, exposeDocument: true } } as any
- const merged = mergeGraphQLCodegenOptions(base, overrides)
- expect((merged as any).reactQuery).toBeUndefined()
- // base is not mutated
- expect(base.reactQuery?.fetcher).toBe('graphql-request')
- })
-})
diff --git a/graphql/codegen/bin/graphql-codegen.js b/graphql/codegen/bin/graphql-codegen.js
new file mode 100755
index 000000000..1680166bb
--- /dev/null
+++ b/graphql/codegen/bin/graphql-codegen.js
@@ -0,0 +1,3 @@
+#!/usr/bin/env node
+
+require('../dist/bin/graphql-codegen.js');
diff --git a/graphql/codegen/codegen-example-config.json b/graphql/codegen/codegen-example-config.json
deleted file mode 100644
index 86a6715d6..000000000
--- a/graphql/codegen/codegen-example-config.json
+++ /dev/null
@@ -1,41 +0,0 @@
-{
- "input": {
- "endpoint": "http://localhost:5555/graphql",
- "headers": {
- "Host": "api.localhost"
- }
- },
- "output": {
- "root": "./dist/codegen",
- "typesFile": "types/generated.ts",
- "operationsDir": "operations",
- "sdkFile": "sdk.ts",
- "reactQueryFile": "react-query.ts"
- },
- "documents": {
- "format": "ts",
- "convention": "dashed",
- "allowQueries": [],
- "excludeQueries": [],
- "excludePatterns": []
- },
- "features": {
- "emitTypes": true,
- "emitOperations": true,
- "emitSdk": true,
- "emitReactQuery": true
- },
- "scalars": {
- "LaunchqlInternalTypeHostname": "string",
- "PgpmInternalTypeHostname": "string"
- },
- "typeNameOverrides": {
- "LaunchqlInternalTypeHostname": "String",
- "PgpmInternalTypeHostname": "String"
- },
- "selection": {
- "mutationInputMode": "patchCollapsed",
- "connectionStyle": "edges",
- "forceModelOutput": true
- }
-}
diff --git a/graphql/codegen/docs/DEVELOPMENT.md b/graphql/codegen/docs/DEVELOPMENT.md
new file mode 100644
index 000000000..eae90f25c
--- /dev/null
+++ b/graphql/codegen/docs/DEVELOPMENT.md
@@ -0,0 +1,103 @@
+# Local Development Workflow
+
+Steps to mimic the published npm package locally in `@apps/test-sdk`.
+
+## 1. Build and pack the SDK
+
+Creates a `.tgz` like `constructive-io-graphql-sdk-0.1.0.tgz`.
+
+```sh
+pnpm --filter @constructive-io/graphql-sdk build
+mkdir -p apps/test-sdk/vendor
+pnpm -C packages/graphql-sdk pack --pack-destination ../../apps/test-sdk/vendor
+```
+
+## 2. Install the tarball into the test app
+
+This updates `package.json` away from `workspace:*`.
+
+**Option A:** Run from inside the test-sdk directory (glob works):
+
+```sh
+cd apps/test-sdk
+pnpm add -D ./vendor/*.tgz
+```
+
+**Option B:** Run from monorepo root (must specify exact filename):
+
+```sh
+pnpm --filter @constructive-io/test-sdk add -D ./apps/test-sdk/vendor/constructive-io-graphql-sdk-0.1.0.tgz
+```
+
+> Note: `--filter` executes from the monorepo root, so paths must be relative to root, not the filtered package. Glob patterns also don't expand when using `--filter`.
+
+## 3. Initialize a config file (TypeScript)
+
+```sh
+cd apps/test-sdk
+npx graphql-sdk init -e http://api.localhost:3000/graphql
+```
+
+This creates `graphql-sdk.config.ts`. The CLI uses `jiti` internally to load `.ts` configs, so no extra tooling is required.
+
+## 4. Sanity check and run codegen
+
+Ensure `http://api.localhost:3000/graphql` is running/reachable.
+
+```sh
+cd apps/test-sdk
+npx graphql-sdk --help
+npx graphql-sdk generate --dry-run
+npx graphql-sdk generate
+```
+
+You can also use the test app script:
+
+```sh
+pnpm --filter @constructive-io/test-sdk codegen
+```
+
+## Using `npx`
+
+Once installed, the CLI is available via `npx` in the test-sdk directory:
+
+```sh
+cd apps/test-sdk
+
+# Both work - the bin name is "graphql-sdk"
+npx graphql-sdk --help
+npx @constructive-io/graphql-sdk --help
+```
+
+The `bin.graphql-sdk` field in package.json creates a binary named `graphql-sdk`, so you can use either the bin name directly or the full scoped package name.
+
+## Troubleshooting
+
+**Unknown file extension ".ts"**
+
+If you see:
+
+```
+Failed to load config file: Unknown file extension ".ts"
+```
+
+you likely have a stale install of the tarball cached by pnpm. Reinstall the package or clear the cache for the SDK:
+
+```sh
+cd apps/test-sdk
+rm -rf node_modules
+rm -rf ../../node_modules/.pnpm/@constructive-io+graphql-sdk*
+pnpm install
+```
+
+If you re-pack frequently with the same version, bumping the package version also avoids cache reuse.
+
+## Resetting to workspace dependency
+
+To switch back to local development with `workspace:*`:
+
+```sh
+cd apps/test-sdk
+pnpm add -D "@constructive-io/graphql-sdk@workspace:*"
+rm -rf vendor
+```
diff --git a/graphql/codegen/examples/download-schema.ts b/graphql/codegen/examples/download-schema.ts
new file mode 100644
index 000000000..a7ce1fbc7
--- /dev/null
+++ b/graphql/codegen/examples/download-schema.ts
@@ -0,0 +1,77 @@
+#!/usr/bin/env tsx
+/**
+ * Download GraphQL schema via introspection and save to local file.
+ *
+ * Usage:
+ * pnpm -C packages/graphql-sdk exec tsx examples/download-schema.ts
+ * pnpm -C packages/graphql-sdk exec tsx examples/download-schema.ts --endpoint=http://custom.endpoint/graphql
+ */
+
+import { writeFileSync } from 'node:fs';
+import { join, dirname } from 'node:path';
+import { fileURLToPath } from 'node:url';
+import { buildClientSchema, printSchema, getIntrospectionQuery } from 'graphql';
+import {
+ DB_GRAPHQL_ENDPOINT,
+ SCHEMA_FILE,
+ executeGraphQL,
+} from './test.config';
+
+const __dirname = dirname(fileURLToPath(import.meta.url));
+
+async function downloadSchema(endpoint: string): Promise {
+ console.log(`Fetching schema from: ${endpoint}`);
+
+ const introspectionQuery = getIntrospectionQuery();
+ const result = await executeGraphQL<{ __schema: unknown }>(
+ endpoint,
+ introspectionQuery
+ );
+
+ if (result.errors?.length) {
+ throw new Error(
+ `Introspection failed: ${result.errors.map((e) => e.message).join(', ')}`
+ );
+ }
+
+ if (!result.data?.__schema) {
+ throw new Error('Introspection returned no schema');
+ }
+
+ // Build client schema from introspection result
+ const clientSchema = buildClientSchema(
+ result.data as ReturnType extends string
+ ? // eslint-disable-next-line @typescript-eslint/no-explicit-any
+ any
+ : never
+ );
+
+ // Print to SDL
+ return printSchema(clientSchema);
+}
+
+async function main() {
+ // Parse CLI args
+ const args = process.argv.slice(2);
+ let endpoint = DB_GRAPHQL_ENDPOINT;
+
+ for (const arg of args) {
+ if (arg.startsWith('--endpoint=')) {
+ endpoint = arg.slice('--endpoint='.length);
+ }
+ }
+
+ try {
+ const sdl = await downloadSchema(endpoint);
+ const outputPath = join(__dirname, SCHEMA_FILE);
+
+ writeFileSync(outputPath, sdl, 'utf-8');
+ console.log(`Schema written to: ${outputPath}`);
+ console.log(`Lines: ${sdl.split('\n').length}`);
+ } catch (error) {
+ console.error('Failed to download schema:', error);
+ process.exit(1);
+ }
+}
+
+main();
diff --git a/graphql/codegen/examples/test-orm.ts b/graphql/codegen/examples/test-orm.ts
new file mode 100644
index 000000000..70af01ed3
--- /dev/null
+++ b/graphql/codegen/examples/test-orm.ts
@@ -0,0 +1,325 @@
+/**
+ * Test script for ORM client.
+ *
+ * This file exercises the ORM client with TypeScript autocomplete.
+ * Run with: pnpm -C packages/graphql-sdk exec tsx examples/test-orm.ts
+ */
+
+import { createClient, GraphQLRequestError } from '../output-orm';
+import { DB_GRAPHQL_ENDPOINT, SEED_USER, login } from './test.config';
+
+// Create client instance (will be reconfigured after login)
+let db = createClient({ endpoint: DB_GRAPHQL_ENDPOINT });
+
+// ============================================================================
+// Test Functions
+// ============================================================================
+
+async function testLogin() {
+ console.log('========================================');
+ console.log('ORM: Login mutation test');
+ console.log('========================================');
+
+ const loginQuery = db.mutation.login(
+ { input: { email: SEED_USER.email, password: SEED_USER.password } },
+ {
+ select: {
+ apiToken: {
+ select: {
+ totpEnabled: true,
+ accessToken: true,
+ expiresAt: true,
+ }
+ }
+ },
+ }
+ );
+
+ console.log('Generated mutation:');
+ console.log(loginQuery.toGraphQL());
+
+ const result = await loginQuery.execute();
+
+ if (result.errors) {
+ console.log('Login errors:', result.errors);
+ return null;
+ }
+
+ const token = result.data?.login?.apiToken?.accessToken;
+ console.log('Login success, token:', token ? `${token.slice(0, 20)}...` : 'null');
+ return token;
+}
+
+async function testUsers() {
+ console.log('========================================');
+ console.log('ORM: Users findMany');
+ console.log('========================================');
+
+ const result = await db.user
+ .findMany({
+ select: { id: true, username: true, displayName: true },
+ first: 5,
+ })
+ .execute();
+
+ if (result.errors) {
+ console.log('Users errors:', result.errors);
+ } else {
+ console.log('Total users:', result.data?.users?.totalCount ?? 0);
+ console.log(
+ 'Users:',
+ result.data?.users?.nodes?.map((u) => ({
+ username: u.username,
+ displayName: u.displayName,
+ })) ?? []
+ );
+ }
+}
+
+async function testProducts() {
+ console.log('========================================');
+ console.log('ORM: Products findMany');
+ console.log('========================================');
+
+ const result = await db.product
+ .findMany({
+ select: { id: true, name: true, price: true },
+ first: 5,
+ })
+ .execute();
+
+ if (result.errors) {
+ console.log('Products errors:', result.errors);
+ } else {
+ console.log('Total products:', result.data?.products?.totalCount ?? 0);
+ console.log(
+ 'Products:',
+ result.data?.products?.nodes?.slice(0, 3).map((p) => ({
+ name: p.name,
+ price: p.price,
+ })) ?? []
+ );
+ }
+}
+
+async function testCategories() {
+ console.log('========================================');
+ console.log('ORM: Categories findMany');
+ console.log('========================================');
+
+ const result = await db.category
+ .findMany({
+ select: { id: true, name: true, slug: true },
+ first: 10,
+ })
+ .execute();
+
+ if (result.errors) {
+ console.log('Categories errors:', result.errors);
+ } else {
+ console.log('Total categories:', result.data?.categories?.totalCount ?? 0);
+ console.log(
+ 'Categories:',
+ result.data?.categories?.nodes?.map((c) => c.name) ?? []
+ );
+ }
+}
+
+async function testCurrentUser() {
+ console.log('========================================');
+ console.log('ORM: currentUser query');
+ console.log('========================================');
+
+ const result = await db.query
+ .currentUser({
+ select: { id: true, username: true, displayName: true },
+ })
+ .execute();
+
+ if (result.errors) {
+ console.log('currentUser errors:', result.errors);
+ } else if (result.data?.currentUser) {
+ console.log('Current user:', {
+ id: result.data.currentUser.id,
+ username: result.data.currentUser.username,
+ displayName: result.data.currentUser.displayName,
+ });
+ } else {
+ console.log('Current user: Not logged in (null)');
+ }
+}
+
+async function testRelations() {
+ console.log('========================================');
+ console.log('ORM: Relations selection');
+ console.log('========================================');
+
+ const ordersQuery = db.order.findMany({
+ select: {
+ id: true,
+ orderNumber: true,
+ status: true,
+ // belongsTo relation
+ customer: {
+ select: { id: true, username: true },
+ },
+ // hasMany relation
+ orderItems: {
+ select: { id: true, quantity: true },
+ first: 3,
+ },
+ },
+ first: 2,
+ });
+
+ console.log('Generated query:');
+ console.log(ordersQuery.toGraphQL());
+
+ const result = await ordersQuery.execute();
+
+ if (result.errors) {
+ console.log('Orders errors:', result.errors);
+ } else {
+ console.log(
+ 'Orders:',
+ JSON.stringify(result.data?.orders?.nodes ?? [], null, 2)
+ );
+ }
+}
+
+async function testTypeInference() {
+ console.log('========================================');
+ console.log('ORM: Type inference');
+ console.log('========================================');
+
+ const result = await db.user
+ .findMany({
+ select: { id: true, username: true }, // Only these fields
+ })
+ .execute();
+
+ if (result.data?.users?.nodes?.[0]) {
+ const user = result.data.users.nodes[0];
+ // TypeScript narrows type to only selected fields
+ console.log('User ID:', user.id);
+ console.log('Username:', user.username);
+ // user.displayName would be a TypeScript error (not selected)
+ }
+}
+
+async function testErrorHandling() {
+ console.log('========================================');
+ console.log('ORM: Error handling');
+ console.log('========================================');
+
+ // Test discriminated union
+ const result = await db.user
+ .findMany({ select: { id: true }, first: 1 })
+ .execute();
+
+ if (result.ok) {
+ console.log('Success (ok=true):', result.data.users?.nodes?.length, 'users');
+ } else {
+ console.log('Error (ok=false):', result.errors[0]?.message);
+ }
+
+ // Test unwrap
+ try {
+ const data = await db.product
+ .findMany({ select: { id: true }, first: 1 })
+ .unwrap();
+ console.log('unwrap() success:', data.products?.nodes?.length, 'products');
+ } catch (error) {
+ if (error instanceof GraphQLRequestError) {
+ console.log('unwrap() caught:', error.message);
+ } else {
+ throw error;
+ }
+ }
+
+ // Test unwrapOr
+ const dataOrDefault = await db.category
+ .findMany({ select: { id: true }, first: 1 })
+ .unwrapOr({
+ categories: {
+ nodes: [],
+ totalCount: 0,
+ pageInfo: { hasNextPage: false, hasPreviousPage: false },
+ },
+ });
+ console.log(
+ 'unwrapOr() result:',
+ dataOrDefault.categories?.nodes?.length ?? 0,
+ 'categories'
+ );
+}
+
+// ============================================================================
+// Main
+// ============================================================================
+
+async function main() {
+ console.log('========================================');
+ console.log('ORM Client Test Script');
+ console.log(`Endpoint: ${DB_GRAPHQL_ENDPOINT}`);
+ console.log('========================================\n');
+
+ // Step 1: Login using shared config helper
+ console.log('Logging in via config helper...');
+ try {
+ const token = await login(DB_GRAPHQL_ENDPOINT, SEED_USER);
+ console.log('Login successful\n');
+
+ // Reconfigure client with auth
+ db = createClient({
+ endpoint: DB_GRAPHQL_ENDPOINT,
+ headers: { Authorization: `Bearer ${token}` },
+ });
+ } catch (error) {
+ console.warn(
+ 'Config login failed, trying ORM login:',
+ error instanceof Error ? error.message : error
+ );
+
+ // Fallback: try ORM login mutation
+ const ormToken = await testLogin();
+ if (ormToken) {
+ db = createClient({
+ endpoint: DB_GRAPHQL_ENDPOINT,
+ headers: { Authorization: `Bearer ${ormToken}` },
+ });
+ }
+ console.log('');
+ }
+
+ // Step 2: Run tests
+ await testUsers();
+ console.log('');
+
+ await testCurrentUser();
+ console.log('');
+
+ await testProducts();
+ console.log('');
+
+ await testCategories();
+ console.log('');
+
+ await testRelations();
+ console.log('');
+
+ await testTypeInference();
+ console.log('');
+
+ await testErrorHandling();
+ console.log('');
+
+ console.log('========================================');
+ console.log('All tests completed');
+ console.log('========================================');
+}
+
+main().catch((error) => {
+ console.error('test-orm failed:', error);
+ process.exit(1);
+});
diff --git a/graphql/codegen/examples/test-rq.ts b/graphql/codegen/examples/test-rq.ts
new file mode 100644
index 000000000..9660d1915
--- /dev/null
+++ b/graphql/codegen/examples/test-rq.ts
@@ -0,0 +1,207 @@
+/**
+ * Test script for React Query mode (non-React manual usage).
+ *
+ * This file demonstrates the NEW convenience helpers that eliminate manual generic assembly.
+ * Run with: pnpm -C packages/graphql-sdk exec tsx examples/test-rq.ts
+ */
+
+import { QueryClient } from '@tanstack/react-query';
+import { configure } from '../output-rq/client';
+
+// NEW: Import the standalone fetch functions - no generics needed!
+import {
+ fetchUsersQuery,
+ prefetchUsersQuery,
+ usersQueryKey,
+} from '../output-rq/queries/useUsersQuery';
+import { fetchCurrentUserQuery } from '../output-rq/queries/useCurrentUserQuery';
+import { fetchProductsQuery } from '../output-rq/queries/useProductsQuery';
+import { fetchCategoriesQuery } from '../output-rq/queries/useCategoriesQuery';
+
+import { DB_GRAPHQL_ENDPOINT, SEED_USER, login } from './test.config';
+
+const queryClient = new QueryClient();
+
+// ============================================================================
+// Test Functions - Demonstrating NEW DX
+// ============================================================================
+
+async function testFetchUsers() {
+ console.log('========================================');
+ console.log('NEW DX: fetchUsersQuery (no generics!)');
+ console.log('========================================');
+
+ // OLD WAY (verbose, requires generics):
+ // const data = await execute(
+ // usersQueryDocument,
+ // { first: 5, orderBy: ['CREATED_AT_DESC'] }
+ // );
+
+ // NEW WAY (clean, type-safe, no generics needed):
+ const data = await fetchUsersQuery({
+ first: 5,
+ orderBy: ['CREATED_AT_DESC'],
+ });
+
+ console.log('Total users:', data.users.totalCount);
+ console.log(
+ 'First user:',
+ data.users.nodes[0]
+ ? { id: data.users.nodes[0].id, username: data.users.nodes[0].username }
+ : 'none'
+ );
+}
+
+async function testPrefetchUsers() {
+ console.log('========================================');
+ console.log('NEW DX: prefetchUsersQuery (SSR-ready)');
+ console.log('========================================');
+
+ // Prefetch for SSR or cache warming - also no generics!
+ await prefetchUsersQuery(queryClient, { first: 10 });
+
+ // Data is now in cache, can access via query key
+ const cachedData = queryClient.getQueryData(usersQueryKey({ first: 10 }));
+ console.log('Prefetched and cached:', cachedData ? 'yes' : 'no');
+}
+
+async function testFetchCurrentUser() {
+ console.log('========================================');
+ console.log('NEW DX: fetchCurrentUserQuery');
+ console.log('========================================');
+
+ try {
+ const data = await fetchCurrentUserQuery();
+
+ if (data.currentUser) {
+ console.log('Current user:', {
+ id: data.currentUser.id,
+ username: data.currentUser.username,
+ displayName: data.currentUser.displayName,
+ });
+ } else {
+ console.log('Current user: Not logged in (null)');
+ }
+ } catch (error) {
+ // Some schemas may not have full currentUser permissions
+ console.log(
+ 'currentUser query failed (permission issue):',
+ error instanceof Error ? error.message : error
+ );
+ }
+}
+
+async function testFetchProducts() {
+ console.log('========================================');
+ console.log('NEW DX: fetchProductsQuery');
+ console.log('========================================');
+
+ const data = await fetchProductsQuery({
+ first: 5,
+ orderBy: ['NAME_ASC'],
+ });
+
+ console.log('Total products:', data.products.totalCount);
+ console.log(
+ 'Products:',
+ data.products.nodes.slice(0, 3).map((p) => ({ name: p.name, price: p.price }))
+ );
+}
+
+async function testFetchCategories() {
+ console.log('========================================');
+ console.log('NEW DX: fetchCategoriesQuery');
+ console.log('========================================');
+
+ const data = await fetchCategoriesQuery({ first: 10 });
+
+ console.log('Total categories:', data.categories.totalCount);
+ console.log(
+ 'Categories:',
+ data.categories.nodes.map((c) => c.name)
+ );
+}
+
+async function testWithQueryClient() {
+ console.log('========================================');
+ console.log('With QueryClient.fetchQuery');
+ console.log('========================================');
+
+ // Can still use QueryClient if needed - helpers work great with it too
+ const data = await queryClient.fetchQuery({
+ queryKey: usersQueryKey({ first: 1 }),
+ queryFn: () => fetchUsersQuery({ first: 1 }),
+ });
+
+ console.log(
+ 'QueryClient result:',
+ data.users.nodes[0]
+ ? { id: data.users.nodes[0].id }
+ : 'none'
+ );
+}
+
+// ============================================================================
+// Main
+// ============================================================================
+
+async function main() {
+ console.log('========================================');
+ console.log('React Query Test Script - NEW DX Demo');
+ console.log(`Endpoint: ${DB_GRAPHQL_ENDPOINT}`);
+ console.log('========================================\n');
+
+ // Configure client with endpoint
+ configure({ endpoint: DB_GRAPHQL_ENDPOINT });
+
+ // Login to get auth token
+ console.log('Logging in...');
+ try {
+ const token = await login(DB_GRAPHQL_ENDPOINT, SEED_USER);
+ console.log('Login successful, token obtained\n');
+
+ // Reconfigure with auth header
+ configure({
+ endpoint: DB_GRAPHQL_ENDPOINT,
+ headers: { Authorization: `Bearer ${token}` },
+ });
+ } catch (error) {
+ console.warn(
+ 'Login failed (continuing without auth):',
+ error instanceof Error ? error.message : error
+ );
+ console.log('');
+ }
+
+ // Run tests demonstrating NEW DX
+ await testFetchUsers();
+ console.log('');
+
+ await testPrefetchUsers();
+ console.log('');
+
+ await testFetchCurrentUser();
+ console.log('');
+
+ await testFetchProducts();
+ console.log('');
+
+ await testFetchCategories();
+ console.log('');
+
+ await testWithQueryClient();
+ console.log('');
+
+ console.log('========================================');
+ console.log('All tests completed!');
+ console.log('');
+ console.log('KEY IMPROVEMENT:');
+ console.log(' Before: execute(usersQueryDocument, vars)');
+ console.log(' After: fetchUsersQuery(vars)');
+ console.log('========================================');
+}
+
+main().catch((error) => {
+ console.error('test-rq failed:', error);
+ process.exit(1);
+});
diff --git a/graphql/codegen/examples/test.config.ts b/graphql/codegen/examples/test.config.ts
new file mode 100644
index 000000000..afe6a8a1f
--- /dev/null
+++ b/graphql/codegen/examples/test.config.ts
@@ -0,0 +1,215 @@
+/**
+ * Shared test configuration for example scripts.
+ *
+ * Endpoints should point to a seeded database created via:
+ * pnpm --filter admin seed:schema-builder --email= --password=
+ *
+ * After seeding, update DB_GRAPHQL_ENDPOINT with the output endpoint URL.
+ */
+
+// ============================================================================
+// Endpoint Configuration
+// ============================================================================
+
+/**
+ * GraphQL endpoint for the seeded application database.
+ * Update this after running the seed script.
+ */
+export const DB_GRAPHQL_ENDPOINT =
+ 'http://public-8d3a1ec3.localhost:3000/graphql';
+
+// ============================================================================
+// Seed User Credentials
+// ============================================================================
+
+/**
+ * Credentials for the seeded admin user.
+ * These match SEED_USER_EMAIL and SEED_USER_PASSWORD in seed-schema-builder.ts
+ */
+export const SEED_USER = {
+ email: 'seeder@gmail.com',
+ password: 'password1111!@#$',
+} as const;
+
+/**
+ * Alternative seed user for direct endpoint seeding.
+ */
+export const SEED_USER_ALT = {
+ email: 'seederalt@gmail.com',
+ password: 'password1111!@#$',
+} as const;
+
+// ============================================================================
+// File Paths
+// ============================================================================
+
+/**
+ * Path for downloaded schema file (relative to examples/).
+ */
+export const SCHEMA_FILE = 'test.graphql';
+
+// ============================================================================
+// Helper Functions
+// ============================================================================
+
+/**
+ * Login mutation document for obtaining auth token.
+ */
+export const LOGIN_MUTATION = `
+ mutation Login($input: LoginInput!) {
+ login(input: $input) {
+ apiToken {
+ accessToken
+ accessTokenExpiresAt
+ }
+ }
+ }
+`;
+
+/**
+ * Execute a GraphQL request against an endpoint.
+ */
+export async function executeGraphQL>(
+ endpoint: string,
+ query: string,
+ variables?: V,
+ headers?: Record
+): Promise<{ data?: T; errors?: Array<{ message: string }> }> {
+ const response = await fetch(endpoint, {
+ method: 'POST',
+ headers: {
+ 'Content-Type': 'application/json',
+ ...headers,
+ },
+ body: JSON.stringify({ query, variables }),
+ });
+
+ return response.json() as Promise<{
+ data?: T;
+ errors?: Array<{ message: string }>;
+ }>;
+}
+
+/**
+ * Login and return the access token.
+ */
+export async function login(
+ endpoint: string = DB_GRAPHQL_ENDPOINT,
+ credentials: { email: string; password: string } = SEED_USER
+): Promise {
+ const result = await executeGraphQL<{
+ login: {
+ apiToken: { accessToken: string; accessTokenExpiresAt: string } | null;
+ };
+ }>(endpoint, LOGIN_MUTATION, { input: credentials });
+
+ if (result.errors?.length) {
+ throw new Error(`Login failed: ${result.errors[0].message}`);
+ }
+
+ const token = result.data?.login?.apiToken?.accessToken;
+ if (!token) {
+ throw new Error('Login failed: No access token returned');
+ }
+
+ return token;
+}
+
+/**
+ * Introspection query for schema download.
+ */
+export const INTROSPECTION_QUERY = `
+ query IntrospectionQuery {
+ __schema {
+ queryType { name }
+ mutationType { name }
+ subscriptionType { name }
+ types {
+ ...FullType
+ }
+ directives {
+ name
+ description
+ locations
+ args {
+ ...InputValue
+ }
+ }
+ }
+ }
+
+ fragment FullType on __Type {
+ kind
+ name
+ description
+ fields(includeDeprecated: true) {
+ name
+ description
+ args {
+ ...InputValue
+ }
+ type {
+ ...TypeRef
+ }
+ isDeprecated
+ deprecationReason
+ }
+ inputFields {
+ ...InputValue
+ }
+ interfaces {
+ ...TypeRef
+ }
+ enumValues(includeDeprecated: true) {
+ name
+ description
+ isDeprecated
+ deprecationReason
+ }
+ possibleTypes {
+ ...TypeRef
+ }
+ }
+
+ fragment InputValue on __InputValue {
+ name
+ description
+ type {
+ ...TypeRef
+ }
+ defaultValue
+ }
+
+ fragment TypeRef on __Type {
+ kind
+ name
+ ofType {
+ kind
+ name
+ ofType {
+ kind
+ name
+ ofType {
+ kind
+ name
+ ofType {
+ kind
+ name
+ ofType {
+ kind
+ name
+ ofType {
+ kind
+ name
+ ofType {
+ kind
+ name
+ }
+ }
+ }
+ }
+ }
+ }
+ }
+ }
+`;
diff --git a/graphql/codegen/examples/test.graphql b/graphql/codegen/examples/test.graphql
new file mode 100644
index 000000000..ac3a3fdae
--- /dev/null
+++ b/graphql/codegen/examples/test.graphql
@@ -0,0 +1,21744 @@
+"""The root query type which gives access points into the data universe."""
+type Query {
+ """
+ Exposes the root query type nested one level down. This is helpful for Relay 1
+ which can only query top level fields if they are in a particular form.
+ """
+ query: Query!
+
+ """Reads and enables pagination through a set of `Category`."""
+ categories(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `Category`."""
+ orderBy: [CategoriesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: CategoryCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: CategoryFilter
+ ): CategoriesConnection
+
+ """Reads and enables pagination through a set of `CryptoAddress`."""
+ cryptoAddresses(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `CryptoAddress`."""
+ orderBy: [CryptoAddressesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: CryptoAddressCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: CryptoAddressFilter
+ ): CryptoAddressesConnection
+
+ """Reads and enables pagination through a set of `Email`."""
+ emails(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `Email`."""
+ orderBy: [EmailsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: EmailCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: EmailFilter
+ ): EmailsConnection
+
+ """Reads and enables pagination through a set of `OrderItem`."""
+ orderItems(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `OrderItem`."""
+ orderBy: [OrderItemsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: OrderItemCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: OrderItemFilter
+ ): OrderItemsConnection
+
+ """Reads and enables pagination through a set of `Order`."""
+ orders(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `Order`."""
+ orderBy: [OrdersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: OrderCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: OrderFilter
+ ): OrdersConnection
+
+ """Reads and enables pagination through a set of `PhoneNumber`."""
+ phoneNumbers(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `PhoneNumber`."""
+ orderBy: [PhoneNumbersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: PhoneNumberCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: PhoneNumberFilter
+ ): PhoneNumbersConnection
+
+ """Reads and enables pagination through a set of `Product`."""
+ products(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `Product`."""
+ orderBy: [ProductsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: ProductCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: ProductFilter
+ ): ProductsConnection
+
+ """Reads and enables pagination through a set of `Review`."""
+ reviews(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `Review`."""
+ orderBy: [ReviewsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: ReviewCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: ReviewFilter
+ ): ReviewsConnection
+
+ """Reads and enables pagination through a set of `RoleType`."""
+ roleTypes(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `RoleType`."""
+ orderBy: [RoleTypesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: RoleTypeCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: RoleTypeFilter
+ ): RoleTypesConnection
+
+ """Reads and enables pagination through a set of `User`."""
+ users(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UsersConnection
+
+ """Reads and enables pagination through a set of `AppAdminGrant`."""
+ appAdminGrants(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `AppAdminGrant`."""
+ orderBy: [AppAdminGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: AppAdminGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AppAdminGrantFilter
+ ): AppAdminGrantsConnection
+
+ """Reads and enables pagination through a set of `AppGrant`."""
+ appGrants(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `AppGrant`."""
+ orderBy: [AppGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: AppGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AppGrantFilter
+ ): AppGrantsConnection
+
+ """Reads and enables pagination through a set of `AppMembershipDefault`."""
+ appMembershipDefaults(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `AppMembershipDefault`."""
+ orderBy: [AppMembershipDefaultsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: AppMembershipDefaultCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AppMembershipDefaultFilter
+ ): AppMembershipDefaultsConnection
+
+ """Reads and enables pagination through a set of `AppMembership`."""
+ appMemberships(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `AppMembership`."""
+ orderBy: [AppMembershipsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: AppMembershipCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AppMembershipFilter
+ ): AppMembershipsConnection
+
+ """Reads and enables pagination through a set of `AppOwnerGrant`."""
+ appOwnerGrants(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `AppOwnerGrant`."""
+ orderBy: [AppOwnerGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: AppOwnerGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AppOwnerGrantFilter
+ ): AppOwnerGrantsConnection
+
+ """Reads and enables pagination through a set of `MembershipAdminGrant`."""
+ membershipAdminGrants(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipAdminGrant`."""
+ orderBy: [MembershipAdminGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipAdminGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipAdminGrantFilter
+ ): MembershipAdminGrantsConnection
+
+ """Reads and enables pagination through a set of `MembershipGrant`."""
+ membershipGrants(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipGrant`."""
+ orderBy: [MembershipGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipGrantFilter
+ ): MembershipGrantsConnection
+
+ """Reads and enables pagination through a set of `MembershipMember`."""
+ membershipMembers(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipMember`."""
+ orderBy: [MembershipMembersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipMemberCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipMemberFilter
+ ): MembershipMembersConnection
+
+ """
+ Reads and enables pagination through a set of `MembershipMembershipDefault`.
+ """
+ membershipMembershipDefaults(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipMembershipDefault`."""
+ orderBy: [MembershipMembershipDefaultsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipMembershipDefaultCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipMembershipDefaultFilter
+ ): MembershipMembershipDefaultsConnection
+
+ """Reads and enables pagination through a set of `MembershipMembership`."""
+ membershipMemberships(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipMembership`."""
+ orderBy: [MembershipMembershipsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipMembershipCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipMembershipFilter
+ ): MembershipMembershipsConnection
+
+ """Reads and enables pagination through a set of `MembershipOwnerGrant`."""
+ membershipOwnerGrants(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipOwnerGrant`."""
+ orderBy: [MembershipOwnerGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipOwnerGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipOwnerGrantFilter
+ ): MembershipOwnerGrantsConnection
+
+ """Reads and enables pagination through a set of `MembershipType`."""
+ membershipTypes(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipType`."""
+ orderBy: [MembershipTypesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipTypeCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipTypeFilter
+ ): MembershipTypesConnection
+
+ """Reads and enables pagination through a set of `AppPermissionDefault`."""
+ appPermissionDefaults(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `AppPermissionDefault`."""
+ orderBy: [AppPermissionDefaultsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: AppPermissionDefaultCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AppPermissionDefaultFilter
+ ): AppPermissionDefaultsConnection
+
+ """Reads and enables pagination through a set of `AppPermission`."""
+ appPermissions(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `AppPermission`."""
+ orderBy: [AppPermissionsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: AppPermissionCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AppPermissionFilter
+ ): AppPermissionsConnection
+
+ """
+ Reads and enables pagination through a set of `MembershipPermissionDefault`.
+ """
+ membershipPermissionDefaults(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipPermissionDefault`."""
+ orderBy: [MembershipPermissionDefaultsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipPermissionDefaultCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipPermissionDefaultFilter
+ ): MembershipPermissionDefaultsConnection
+
+ """Reads and enables pagination through a set of `MembershipPermission`."""
+ membershipPermissions(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipPermission`."""
+ orderBy: [MembershipPermissionsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipPermissionCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipPermissionFilter
+ ): MembershipPermissionsConnection
+
+ """Reads and enables pagination through a set of `AppLimitDefault`."""
+ appLimitDefaults(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `AppLimitDefault`."""
+ orderBy: [AppLimitDefaultsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: AppLimitDefaultCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AppLimitDefaultFilter
+ ): AppLimitDefaultsConnection
+
+ """Reads and enables pagination through a set of `AppLimit`."""
+ appLimits(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `AppLimit`."""
+ orderBy: [AppLimitsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: AppLimitCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AppLimitFilter
+ ): AppLimitsConnection
+
+ """
+ Reads and enables pagination through a set of `MembershipLimitDefault`.
+ """
+ membershipLimitDefaults(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipLimitDefault`."""
+ orderBy: [MembershipLimitDefaultsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipLimitDefaultCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipLimitDefaultFilter
+ ): MembershipLimitDefaultsConnection
+
+ """Reads and enables pagination through a set of `MembershipLimit`."""
+ membershipLimits(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipLimit`."""
+ orderBy: [MembershipLimitsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipLimitCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipLimitFilter
+ ): MembershipLimitsConnection
+
+ """Reads and enables pagination through a set of `AppAchievement`."""
+ appAchievements(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `AppAchievement`."""
+ orderBy: [AppAchievementsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: AppAchievementCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AppAchievementFilter
+ ): AppAchievementsConnection
+
+ """Reads and enables pagination through a set of `AppLevelRequirement`."""
+ appLevelRequirements(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `AppLevelRequirement`."""
+ orderBy: [AppLevelRequirementsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: AppLevelRequirementCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AppLevelRequirementFilter
+ ): AppLevelRequirementsConnection
+
+ """Reads and enables pagination through a set of `AppLevel`."""
+ appLevels(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `AppLevel`."""
+ orderBy: [AppLevelsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: AppLevelCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AppLevelFilter
+ ): AppLevelsConnection
+
+ """Reads and enables pagination through a set of `AppStep`."""
+ appSteps(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `AppStep`."""
+ orderBy: [AppStepsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: AppStepCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AppStepFilter
+ ): AppStepsConnection
+
+ """Reads and enables pagination through a set of `ClaimedInvite`."""
+ claimedInvites(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `ClaimedInvite`."""
+ orderBy: [ClaimedInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: ClaimedInviteCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: ClaimedInviteFilter
+ ): ClaimedInvitesConnection
+
+ """Reads and enables pagination through a set of `Invite`."""
+ invites(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `Invite`."""
+ orderBy: [InvitesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: InviteCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: InviteFilter
+ ): InvitesConnection
+
+ """
+ Reads and enables pagination through a set of `MembershipClaimedInvite`.
+ """
+ membershipClaimedInvites(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipClaimedInvite`."""
+ orderBy: [MembershipClaimedInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipClaimedInviteCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipClaimedInviteFilter
+ ): MembershipClaimedInvitesConnection
+
+ """Reads and enables pagination through a set of `MembershipInvite`."""
+ membershipInvites(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipInvite`."""
+ orderBy: [MembershipInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipInviteCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipInviteFilter
+ ): MembershipInvitesConnection
+
+ """Reads and enables pagination through a set of `AuditLog`."""
+ auditLogs(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `AuditLog`."""
+ orderBy: [AuditLogsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: AuditLogCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AuditLogFilter
+ ): AuditLogsConnection
+ category(id: UUID!): Category
+ cryptoAddress(id: UUID!): CryptoAddress
+ cryptoAddressByAddress(address: String!): CryptoAddress
+ email(id: UUID!): Email
+ emailByEmail(email: String!): Email
+ orderItem(id: UUID!): OrderItem
+ order(id: UUID!): Order
+ phoneNumber(id: UUID!): PhoneNumber
+ phoneNumberByNumber(number: String!): PhoneNumber
+ product(id: UUID!): Product
+ review(id: UUID!): Review
+ roleType(id: Int!): RoleType
+ roleTypeByName(name: String!): RoleType
+ user(id: UUID!): User
+ userByUsername(username: String!): User
+ appAdminGrant(id: UUID!): AppAdminGrant
+ appGrant(id: UUID!): AppGrant
+ appMembershipDefault(id: UUID!): AppMembershipDefault
+ appMembership(id: UUID!): AppMembership
+ appMembershipByActorId(actorId: UUID!): AppMembership
+ appOwnerGrant(id: UUID!): AppOwnerGrant
+ membershipAdminGrant(id: UUID!): MembershipAdminGrant
+ membershipGrant(id: UUID!): MembershipGrant
+ membershipMember(id: UUID!): MembershipMember
+ membershipMemberByActorIdAndEntityId(actorId: UUID!, entityId: UUID!): MembershipMember
+ membershipMembershipDefault(id: UUID!): MembershipMembershipDefault
+ membershipMembershipDefaultByEntityId(entityId: UUID!): MembershipMembershipDefault
+ membershipMembership(id: UUID!): MembershipMembership
+ membershipMembershipByActorIdAndEntityId(actorId: UUID!, entityId: UUID!): MembershipMembership
+ membershipOwnerGrant(id: UUID!): MembershipOwnerGrant
+ membershipType(id: Int!): MembershipType
+ membershipTypeByName(name: String!): MembershipType
+ appPermissionDefault(id: UUID!): AppPermissionDefault
+ appPermission(id: UUID!): AppPermission
+ appPermissionByName(name: String!): AppPermission
+ appPermissionByBitnum(bitnum: Int!): AppPermission
+ membershipPermissionDefault(id: UUID!): MembershipPermissionDefault
+ membershipPermission(id: UUID!): MembershipPermission
+ membershipPermissionByName(name: String!): MembershipPermission
+ membershipPermissionByBitnum(bitnum: Int!): MembershipPermission
+ appLimitDefault(id: UUID!): AppLimitDefault
+ appLimitDefaultByName(name: String!): AppLimitDefault
+ appLimit(id: UUID!): AppLimit
+ appLimitByNameAndActorId(name: String!, actorId: UUID!): AppLimit
+ membershipLimitDefault(id: UUID!): MembershipLimitDefault
+ membershipLimitDefaultByName(name: String!): MembershipLimitDefault
+ membershipLimit(id: UUID!): MembershipLimit
+ membershipLimitByNameAndActorIdAndEntityId(name: String!, actorId: UUID!, entityId: UUID!): MembershipLimit
+ appAchievement(id: UUID!): AppAchievement
+ appAchievementByActorIdAndName(actorId: UUID!, name: String!): AppAchievement
+ appLevelRequirement(id: UUID!): AppLevelRequirement
+ appLevelRequirementByNameAndLevel(name: String!, level: String!): AppLevelRequirement
+ appLevel(id: UUID!): AppLevel
+ appLevelByName(name: String!): AppLevel
+ appStep(id: UUID!): AppStep
+ claimedInvite(id: UUID!): ClaimedInvite
+ invite(id: UUID!): Invite
+ inviteByEmailAndSenderId(email: String!, senderId: UUID!): Invite
+ inviteByInviteToken(inviteToken: String!): Invite
+ membershipClaimedInvite(id: UUID!): MembershipClaimedInvite
+ membershipInvite(id: UUID!): MembershipInvite
+ membershipInviteByEmailAndSenderIdAndEntityId(email: String!, senderId: UUID!, entityId: UUID!): MembershipInvite
+ membershipInviteByInviteToken(inviteToken: String!): MembershipInvite
+ auditLog(id: UUID!): AuditLog
+
+ """Reads and enables pagination through a set of `AppPermission`."""
+ appPermissionsGetByMask(
+ mask: BitString
+
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AppPermissionFilter
+ ): AppPermissionsConnection
+ appPermissionsGetMask(ids: [UUID]): BitString
+ appPermissionsGetMaskByNames(names: [String]): BitString
+ appPermissionsGetPaddedMask(mask: BitString): BitString
+
+ """Reads and enables pagination through a set of `MembershipPermission`."""
+ membershipPermissionsGetByMask(
+ mask: BitString
+
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipPermissionFilter
+ ): MembershipPermissionsConnection
+ membershipPermissionsGetMask(ids: [UUID]): BitString
+ membershipPermissionsGetMaskByNames(names: [String]): BitString
+ membershipPermissionsGetPaddedMask(mask: BitString): BitString
+ stepsAchieved(vlevel: String, vroleId: UUID): Boolean
+
+ """Reads and enables pagination through a set of `AppLevelRequirement`."""
+ stepsRequired(
+ vlevel: String
+ vroleId: UUID
+
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AppLevelRequirementFilter
+ ): AppLevelRequirementsConnection
+ currentIpAddress: InternetAddress
+ currentUser: User
+ currentUserAgent: String
+ currentUserId: UUID
+ _meta: Metaschema
+}
+
+"""A connection to a list of `Category` values."""
+type CategoriesConnection {
+ """A list of `Category` objects."""
+ nodes: [Category!]!
+
+ """
+ A list of edges which contains the `Category` and cursor to aid in pagination.
+ """
+ edges: [CategoriesEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `Category` you could get from the connection."""
+ totalCount: Int!
+}
+
+type Category {
+ id: UUID!
+ name: String!
+ description: String
+ slug: String!
+ imageUrl: String
+ isActive: Boolean
+ sortOrder: Int
+ createdAt: Datetime
+
+ """Reads and enables pagination through a set of `Product`."""
+ products(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `Product`."""
+ orderBy: [ProductsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: ProductCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: ProductFilter
+ ): ProductsConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByProductCategoryIdAndSellerId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): CategoryUsersByProductCategoryIdAndSellerIdManyToManyConnection!
+}
+
+"""
+A universally unique identifier as defined by [RFC 4122](https://tools.ietf.org/html/rfc4122).
+"""
+scalar UUID
+
+"""
+A point in time as described by the [ISO
+8601](https://en.wikipedia.org/wiki/ISO_8601) standard. May or may not include a timezone.
+"""
+scalar Datetime
+
+"""A connection to a list of `Product` values."""
+type ProductsConnection {
+ """A list of `Product` objects."""
+ nodes: [Product!]!
+
+ """
+ A list of edges which contains the `Product` and cursor to aid in pagination.
+ """
+ edges: [ProductsEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `Product` you could get from the connection."""
+ totalCount: Int!
+}
+
+type Product {
+ id: UUID!
+ name: String!
+ description: String
+ price: BigFloat!
+ compareAtPrice: BigFloat
+ sku: String
+ inventoryQuantity: Int
+ weight: BigFloat
+ dimensions: String
+ isActive: Boolean
+ isFeatured: Boolean
+ tags: String
+ imageUrls: String
+ createdAt: Datetime
+ updatedAt: Datetime
+ sellerId: UUID!
+ categoryId: UUID
+
+ """Reads a single `User` that is related to this `Product`."""
+ seller: User
+
+ """Reads a single `Category` that is related to this `Product`."""
+ category: Category
+
+ """Reads and enables pagination through a set of `OrderItem`."""
+ orderItems(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `OrderItem`."""
+ orderBy: [OrderItemsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: OrderItemCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: OrderItemFilter
+ ): OrderItemsConnection!
+
+ """Reads and enables pagination through a set of `Review`."""
+ reviews(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `Review`."""
+ orderBy: [ReviewsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: ReviewCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: ReviewFilter
+ ): ReviewsConnection!
+
+ """Reads and enables pagination through a set of `Order`."""
+ ordersByOrderItemProductIdAndOrderId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `Order`."""
+ orderBy: [OrdersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: OrderCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: OrderFilter
+ ): ProductOrdersByOrderItemProductIdAndOrderIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByReviewProductIdAndUserId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): ProductUsersByReviewProductIdAndUserIdManyToManyConnection!
+}
+
+"""
+A floating point number that requires more precision than IEEE 754 binary 64
+"""
+scalar BigFloat
+
+type User {
+ id: UUID!
+ username: String
+ displayName: String
+ profilePicture: JSON
+ searchTsv: FullText
+ type: Int!
+ createdAt: Datetime
+ updatedAt: Datetime
+
+ """Reads a single `RoleType` that is related to this `User`."""
+ roleTypeByType: RoleType
+
+ """Reads and enables pagination through a set of `AppLimit`."""
+ appLimitsByActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `AppLimit`."""
+ orderBy: [AppLimitsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: AppLimitCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AppLimitFilter
+ ): AppLimitsConnection!
+
+ """Reads a single `AppMembership` that is related to this `User`."""
+ appMembershipByActorId: AppMembership
+
+ """Reads and enables pagination through a set of `AppAdminGrant`."""
+ appAdminGrantsByActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `AppAdminGrant`."""
+ orderBy: [AppAdminGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: AppAdminGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AppAdminGrantFilter
+ ): AppAdminGrantsConnection!
+
+ """Reads and enables pagination through a set of `AppAdminGrant`."""
+ appAdminGrantsByGrantorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `AppAdminGrant`."""
+ orderBy: [AppAdminGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: AppAdminGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AppAdminGrantFilter
+ ): AppAdminGrantsConnection!
+
+ """Reads and enables pagination through a set of `AppOwnerGrant`."""
+ appOwnerGrantsByActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `AppOwnerGrant`."""
+ orderBy: [AppOwnerGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: AppOwnerGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AppOwnerGrantFilter
+ ): AppOwnerGrantsConnection!
+
+ """Reads and enables pagination through a set of `AppOwnerGrant`."""
+ appOwnerGrantsByGrantorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `AppOwnerGrant`."""
+ orderBy: [AppOwnerGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: AppOwnerGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AppOwnerGrantFilter
+ ): AppOwnerGrantsConnection!
+
+ """Reads and enables pagination through a set of `AppGrant`."""
+ appGrantsByActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `AppGrant`."""
+ orderBy: [AppGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: AppGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AppGrantFilter
+ ): AppGrantsConnection!
+
+ """Reads and enables pagination through a set of `AppGrant`."""
+ appGrantsByGrantorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `AppGrant`."""
+ orderBy: [AppGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: AppGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AppGrantFilter
+ ): AppGrantsConnection!
+
+ """Reads and enables pagination through a set of `AppStep`."""
+ appStepsByActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `AppStep`."""
+ orderBy: [AppStepsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: AppStepCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AppStepFilter
+ ): AppStepsConnection!
+
+ """Reads and enables pagination through a set of `AppAchievement`."""
+ appAchievementsByActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `AppAchievement`."""
+ orderBy: [AppAchievementsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: AppAchievementCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AppAchievementFilter
+ ): AppAchievementsConnection!
+
+ """Reads and enables pagination through a set of `AppLevel`."""
+ appLevelsByOwnerId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `AppLevel`."""
+ orderBy: [AppLevelsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: AppLevelCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AppLevelFilter
+ ): AppLevelsConnection!
+
+ """
+ Reads and enables pagination through a set of `MembershipPermissionDefault`.
+ """
+ membershipPermissionDefaultsByEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipPermissionDefault`."""
+ orderBy: [MembershipPermissionDefaultsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipPermissionDefaultCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipPermissionDefaultFilter
+ ): MembershipPermissionDefaultsConnection!
+
+ """Reads and enables pagination through a set of `MembershipLimit`."""
+ membershipLimitsByActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipLimit`."""
+ orderBy: [MembershipLimitsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipLimitCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipLimitFilter
+ ): MembershipLimitsConnection!
+
+ """Reads and enables pagination through a set of `MembershipLimit`."""
+ membershipLimitsByEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipLimit`."""
+ orderBy: [MembershipLimitsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipLimitCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipLimitFilter
+ ): MembershipLimitsConnection!
+
+ """Reads and enables pagination through a set of `MembershipMembership`."""
+ membershipMembershipsByActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipMembership`."""
+ orderBy: [MembershipMembershipsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipMembershipCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipMembershipFilter
+ ): MembershipMembershipsConnection!
+
+ """Reads and enables pagination through a set of `MembershipMembership`."""
+ membershipMembershipsByEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipMembership`."""
+ orderBy: [MembershipMembershipsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipMembershipCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipMembershipFilter
+ ): MembershipMembershipsConnection!
+
+ """
+ Reads a single `MembershipMembershipDefault` that is related to this `User`.
+ """
+ membershipMembershipDefaultByEntityId: MembershipMembershipDefault
+
+ """Reads and enables pagination through a set of `MembershipMember`."""
+ membershipMembersByActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipMember`."""
+ orderBy: [MembershipMembersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipMemberCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipMemberFilter
+ ): MembershipMembersConnection!
+
+ """Reads and enables pagination through a set of `MembershipMember`."""
+ membershipMembersByEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipMember`."""
+ orderBy: [MembershipMembersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipMemberCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipMemberFilter
+ ): MembershipMembersConnection!
+
+ """Reads and enables pagination through a set of `MembershipAdminGrant`."""
+ membershipAdminGrantsByActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipAdminGrant`."""
+ orderBy: [MembershipAdminGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipAdminGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipAdminGrantFilter
+ ): MembershipAdminGrantsConnection!
+
+ """Reads and enables pagination through a set of `MembershipAdminGrant`."""
+ membershipAdminGrantsByEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipAdminGrant`."""
+ orderBy: [MembershipAdminGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipAdminGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipAdminGrantFilter
+ ): MembershipAdminGrantsConnection!
+
+ """Reads and enables pagination through a set of `MembershipAdminGrant`."""
+ membershipAdminGrantsByGrantorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipAdminGrant`."""
+ orderBy: [MembershipAdminGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipAdminGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipAdminGrantFilter
+ ): MembershipAdminGrantsConnection!
+
+ """Reads and enables pagination through a set of `MembershipOwnerGrant`."""
+ membershipOwnerGrantsByActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipOwnerGrant`."""
+ orderBy: [MembershipOwnerGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipOwnerGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipOwnerGrantFilter
+ ): MembershipOwnerGrantsConnection!
+
+ """Reads and enables pagination through a set of `MembershipOwnerGrant`."""
+ membershipOwnerGrantsByEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipOwnerGrant`."""
+ orderBy: [MembershipOwnerGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipOwnerGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipOwnerGrantFilter
+ ): MembershipOwnerGrantsConnection!
+
+ """Reads and enables pagination through a set of `MembershipOwnerGrant`."""
+ membershipOwnerGrantsByGrantorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipOwnerGrant`."""
+ orderBy: [MembershipOwnerGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipOwnerGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipOwnerGrantFilter
+ ): MembershipOwnerGrantsConnection!
+
+ """Reads and enables pagination through a set of `MembershipGrant`."""
+ membershipGrantsByActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipGrant`."""
+ orderBy: [MembershipGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipGrantFilter
+ ): MembershipGrantsConnection!
+
+ """Reads and enables pagination through a set of `MembershipGrant`."""
+ membershipGrantsByEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipGrant`."""
+ orderBy: [MembershipGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipGrantFilter
+ ): MembershipGrantsConnection!
+
+ """Reads and enables pagination through a set of `MembershipGrant`."""
+ membershipGrantsByGrantorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipGrant`."""
+ orderBy: [MembershipGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipGrantFilter
+ ): MembershipGrantsConnection!
+
+ """Reads and enables pagination through a set of `Email`."""
+ emailsByOwnerId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `Email`."""
+ orderBy: [EmailsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: EmailCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: EmailFilter
+ ): EmailsConnection!
+
+ """Reads and enables pagination through a set of `PhoneNumber`."""
+ phoneNumbersByOwnerId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `PhoneNumber`."""
+ orderBy: [PhoneNumbersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: PhoneNumberCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: PhoneNumberFilter
+ ): PhoneNumbersConnection!
+
+ """Reads and enables pagination through a set of `CryptoAddress`."""
+ cryptoAddressesByOwnerId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `CryptoAddress`."""
+ orderBy: [CryptoAddressesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: CryptoAddressCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: CryptoAddressFilter
+ ): CryptoAddressesConnection!
+
+ """Reads and enables pagination through a set of `Invite`."""
+ invitesBySenderId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `Invite`."""
+ orderBy: [InvitesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: InviteCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: InviteFilter
+ ): InvitesConnection!
+
+ """Reads and enables pagination through a set of `ClaimedInvite`."""
+ claimedInvitesBySenderId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `ClaimedInvite`."""
+ orderBy: [ClaimedInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: ClaimedInviteCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: ClaimedInviteFilter
+ ): ClaimedInvitesConnection!
+
+ """Reads and enables pagination through a set of `ClaimedInvite`."""
+ claimedInvitesByReceiverId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `ClaimedInvite`."""
+ orderBy: [ClaimedInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: ClaimedInviteCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: ClaimedInviteFilter
+ ): ClaimedInvitesConnection!
+
+ """Reads and enables pagination through a set of `MembershipInvite`."""
+ membershipInvitesBySenderId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipInvite`."""
+ orderBy: [MembershipInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipInviteCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipInviteFilter
+ ): MembershipInvitesConnection!
+
+ """Reads and enables pagination through a set of `MembershipInvite`."""
+ membershipInvitesByReceiverId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipInvite`."""
+ orderBy: [MembershipInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipInviteCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipInviteFilter
+ ): MembershipInvitesConnection!
+
+ """Reads and enables pagination through a set of `MembershipInvite`."""
+ membershipInvitesByEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipInvite`."""
+ orderBy: [MembershipInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipInviteCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipInviteFilter
+ ): MembershipInvitesConnection!
+
+ """
+ Reads and enables pagination through a set of `MembershipClaimedInvite`.
+ """
+ membershipClaimedInvitesBySenderId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipClaimedInvite`."""
+ orderBy: [MembershipClaimedInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipClaimedInviteCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipClaimedInviteFilter
+ ): MembershipClaimedInvitesConnection!
+
+ """
+ Reads and enables pagination through a set of `MembershipClaimedInvite`.
+ """
+ membershipClaimedInvitesByReceiverId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipClaimedInvite`."""
+ orderBy: [MembershipClaimedInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipClaimedInviteCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipClaimedInviteFilter
+ ): MembershipClaimedInvitesConnection!
+
+ """
+ Reads and enables pagination through a set of `MembershipClaimedInvite`.
+ """
+ membershipClaimedInvitesByEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipClaimedInvite`."""
+ orderBy: [MembershipClaimedInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipClaimedInviteCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipClaimedInviteFilter
+ ): MembershipClaimedInvitesConnection!
+
+ """Reads and enables pagination through a set of `AuditLog`."""
+ auditLogsByActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `AuditLog`."""
+ orderBy: [AuditLogsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: AuditLogCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AuditLogFilter
+ ): AuditLogsConnection!
+
+ """Reads and enables pagination through a set of `Product`."""
+ productsBySellerId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `Product`."""
+ orderBy: [ProductsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: ProductCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: ProductFilter
+ ): ProductsConnection!
+
+ """Reads and enables pagination through a set of `Order`."""
+ ordersByCustomerId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `Order`."""
+ orderBy: [OrdersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: OrderCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: OrderFilter
+ ): OrdersConnection!
+
+ """Reads and enables pagination through a set of `Review`."""
+ reviews(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `Review`."""
+ orderBy: [ReviewsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: ReviewCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: ReviewFilter
+ ): ReviewsConnection!
+
+ """Full-text search ranking when filtered by `searchTsv`."""
+ searchTsvRank: Float
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByAppAdminGrantActorIdAndGrantorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByAppAdminGrantActorIdAndGrantorIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByAppAdminGrantGrantorIdAndActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByAppAdminGrantGrantorIdAndActorIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByAppOwnerGrantActorIdAndGrantorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByAppOwnerGrantActorIdAndGrantorIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByAppOwnerGrantGrantorIdAndActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByAppOwnerGrantGrantorIdAndActorIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByAppGrantActorIdAndGrantorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByAppGrantActorIdAndGrantorIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByAppGrantGrantorIdAndActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByAppGrantGrantorIdAndActorIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipLimitActorIdAndEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipLimitActorIdAndEntityIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipLimitEntityIdAndActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipLimitEntityIdAndActorIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipMembershipActorIdAndEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipMembershipActorIdAndEntityIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipMembershipEntityIdAndActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipMembershipEntityIdAndActorIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipMemberActorIdAndEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipMemberActorIdAndEntityIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipMemberEntityIdAndActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipMemberEntityIdAndActorIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipAdminGrantActorIdAndEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipAdminGrantActorIdAndEntityIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipAdminGrantActorIdAndGrantorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipAdminGrantActorIdAndGrantorIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipAdminGrantEntityIdAndActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipAdminGrantEntityIdAndActorIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipAdminGrantEntityIdAndGrantorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipAdminGrantEntityIdAndGrantorIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipAdminGrantGrantorIdAndActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipAdminGrantGrantorIdAndActorIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipAdminGrantGrantorIdAndEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipAdminGrantGrantorIdAndEntityIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipOwnerGrantActorIdAndEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipOwnerGrantActorIdAndEntityIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipOwnerGrantActorIdAndGrantorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipOwnerGrantActorIdAndGrantorIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipOwnerGrantEntityIdAndActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipOwnerGrantEntityIdAndActorIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipOwnerGrantEntityIdAndGrantorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipOwnerGrantEntityIdAndGrantorIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipOwnerGrantGrantorIdAndActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipOwnerGrantGrantorIdAndActorIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipOwnerGrantGrantorIdAndEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipOwnerGrantGrantorIdAndEntityIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipGrantActorIdAndEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipGrantActorIdAndEntityIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipGrantActorIdAndGrantorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipGrantActorIdAndGrantorIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipGrantEntityIdAndActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipGrantEntityIdAndActorIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipGrantEntityIdAndGrantorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipGrantEntityIdAndGrantorIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipGrantGrantorIdAndActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipGrantGrantorIdAndActorIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipGrantGrantorIdAndEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipGrantGrantorIdAndEntityIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByClaimedInviteSenderIdAndReceiverId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByClaimedInviteSenderIdAndReceiverIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByClaimedInviteReceiverIdAndSenderId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByClaimedInviteReceiverIdAndSenderIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipInviteSenderIdAndReceiverId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipInviteSenderIdAndReceiverIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipInviteSenderIdAndEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipInviteSenderIdAndEntityIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipInviteReceiverIdAndSenderId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipInviteReceiverIdAndSenderIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipInviteReceiverIdAndEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipInviteReceiverIdAndEntityIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipInviteEntityIdAndSenderId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipInviteEntityIdAndSenderIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipInviteEntityIdAndReceiverId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipInviteEntityIdAndReceiverIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipClaimedInviteSenderIdAndReceiverId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipClaimedInviteSenderIdAndReceiverIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipClaimedInviteSenderIdAndEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipClaimedInviteSenderIdAndEntityIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipClaimedInviteReceiverIdAndSenderId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipClaimedInviteReceiverIdAndSenderIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipClaimedInviteReceiverIdAndEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipClaimedInviteReceiverIdAndEntityIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipClaimedInviteEntityIdAndSenderId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipClaimedInviteEntityIdAndSenderIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByMembershipClaimedInviteEntityIdAndReceiverId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UserUsersByMembershipClaimedInviteEntityIdAndReceiverIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `Category`."""
+ categoriesByProductSellerIdAndCategoryId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `Category`."""
+ orderBy: [CategoriesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: CategoryCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: CategoryFilter
+ ): UserCategoriesByProductSellerIdAndCategoryIdManyToManyConnection!
+
+ """Reads and enables pagination through a set of `Product`."""
+ productsByReviewUserIdAndProductId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `Product`."""
+ orderBy: [ProductsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: ProductCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: ProductFilter
+ ): UserProductsByReviewUserIdAndProductIdManyToManyConnection!
+}
+
+"""
+The `JSON` scalar type represents JSON values as specified by [ECMA-404](http://www.ecma-international.org/publications/files/ECMA-ST/ECMA-404.pdf).
+"""
+scalar JSON
+
+scalar FullText
+
+type RoleType {
+ id: Int!
+ name: String!
+
+ """Reads and enables pagination through a set of `User`."""
+ usersByType(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: UserCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: UserFilter
+ ): UsersConnection!
+}
+
+"""A connection to a list of `User` values."""
+type UsersConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User` and cursor to aid in pagination.
+ """
+ edges: [UsersEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `User` edge in the connection."""
+type UsersEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+}
+
+"""A location in a connection that can be used for resuming pagination."""
+scalar Cursor
+
+"""Information about pagination in a connection."""
+type PageInfo {
+ """When paginating forwards, are there more items?"""
+ hasNextPage: Boolean!
+
+ """When paginating backwards, are there more items?"""
+ hasPreviousPage: Boolean!
+
+ """When paginating backwards, the cursor to continue."""
+ startCursor: Cursor
+
+ """When paginating forwards, the cursor to continue."""
+ endCursor: Cursor
+}
+
+"""Methods to use when ordering `User`."""
+enum UsersOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ USERNAME_ASC
+ USERNAME_DESC
+ DISPLAY_NAME_ASC
+ DISPLAY_NAME_DESC
+ PROFILE_PICTURE_ASC
+ PROFILE_PICTURE_DESC
+ SEARCH_TSV_ASC
+ SEARCH_TSV_DESC
+ TYPE_ASC
+ TYPE_DESC
+ CREATED_AT_ASC
+ CREATED_AT_DESC
+ UPDATED_AT_ASC
+ UPDATED_AT_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+ SEARCH_TSV_RANK_ASC
+ SEARCH_TSV_RANK_DESC
+}
+
+"""
+A condition to be used against `User` object types. All fields are tested for equality and combined with a logical ‘and.’
+"""
+input UserCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `username` field."""
+ username: String
+
+ """Checks for equality with the object’s `displayName` field."""
+ displayName: String
+
+ """Checks for equality with the object’s `profilePicture` field."""
+ profilePicture: JSON
+
+ """Checks for equality with the object’s `searchTsv` field."""
+ searchTsv: FullText
+
+ """Checks for equality with the object’s `type` field."""
+ type: Int
+
+ """Checks for equality with the object’s `createdAt` field."""
+ createdAt: Datetime
+
+ """Checks for equality with the object’s `updatedAt` field."""
+ updatedAt: Datetime
+ tsvSearchTsv: String
+}
+
+"""
+A filter to be used against `User` object types. All fields are combined with a logical ‘and.’
+"""
+input UserFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `username` field."""
+ username: StringFilter
+
+ """Filter by the object’s `displayName` field."""
+ displayName: StringFilter
+
+ """Filter by the object’s `profilePicture` field."""
+ profilePicture: JSONFilter
+
+ """Filter by the object’s `searchTsv` field."""
+ searchTsv: FullTextFilter
+
+ """Filter by the object’s `type` field."""
+ type: IntFilter
+
+ """Filter by the object’s `createdAt` field."""
+ createdAt: DatetimeFilter
+
+ """Filter by the object’s `updatedAt` field."""
+ updatedAt: DatetimeFilter
+
+ """Checks for all expressions in this list."""
+ and: [UserFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [UserFilter!]
+
+ """Negates the expression."""
+ not: UserFilter
+}
+
+"""
+A filter to be used against UUID fields. All fields are combined with a logical ‘and.’
+"""
+input UUIDFilter {
+ """
+ Is null (if `true` is specified) or is not null (if `false` is specified).
+ """
+ isNull: Boolean
+
+ """Equal to the specified value."""
+ equalTo: UUID
+
+ """Not equal to the specified value."""
+ notEqualTo: UUID
+
+ """
+ Not equal to the specified value, treating null like an ordinary value.
+ """
+ distinctFrom: UUID
+
+ """Equal to the specified value, treating null like an ordinary value."""
+ notDistinctFrom: UUID
+
+ """Included in the specified list."""
+ in: [UUID!]
+
+ """Not included in the specified list."""
+ notIn: [UUID!]
+
+ """Less than the specified value."""
+ lessThan: UUID
+
+ """Less than or equal to the specified value."""
+ lessThanOrEqualTo: UUID
+
+ """Greater than the specified value."""
+ greaterThan: UUID
+
+ """Greater than or equal to the specified value."""
+ greaterThanOrEqualTo: UUID
+}
+
+"""
+A filter to be used against String fields. All fields are combined with a logical ‘and.’
+"""
+input StringFilter {
+ """
+ Is null (if `true` is specified) or is not null (if `false` is specified).
+ """
+ isNull: Boolean
+
+ """Equal to the specified value."""
+ equalTo: String
+
+ """Not equal to the specified value."""
+ notEqualTo: String
+
+ """
+ Not equal to the specified value, treating null like an ordinary value.
+ """
+ distinctFrom: String
+
+ """Equal to the specified value, treating null like an ordinary value."""
+ notDistinctFrom: String
+
+ """Included in the specified list."""
+ in: [String!]
+
+ """Not included in the specified list."""
+ notIn: [String!]
+
+ """Less than the specified value."""
+ lessThan: String
+
+ """Less than or equal to the specified value."""
+ lessThanOrEqualTo: String
+
+ """Greater than the specified value."""
+ greaterThan: String
+
+ """Greater than or equal to the specified value."""
+ greaterThanOrEqualTo: String
+
+ """Contains the specified string (case-sensitive)."""
+ includes: String
+
+ """Does not contain the specified string (case-sensitive)."""
+ notIncludes: String
+
+ """Contains the specified string (case-insensitive)."""
+ includesInsensitive: String
+
+ """Does not contain the specified string (case-insensitive)."""
+ notIncludesInsensitive: String
+
+ """Starts with the specified string (case-sensitive)."""
+ startsWith: String
+
+ """Does not start with the specified string (case-sensitive)."""
+ notStartsWith: String
+
+ """Starts with the specified string (case-insensitive)."""
+ startsWithInsensitive: String
+
+ """Does not start with the specified string (case-insensitive)."""
+ notStartsWithInsensitive: String
+
+ """Ends with the specified string (case-sensitive)."""
+ endsWith: String
+
+ """Does not end with the specified string (case-sensitive)."""
+ notEndsWith: String
+
+ """Ends with the specified string (case-insensitive)."""
+ endsWithInsensitive: String
+
+ """Does not end with the specified string (case-insensitive)."""
+ notEndsWithInsensitive: String
+
+ """
+ Matches the specified pattern (case-sensitive). An underscore (_) matches any single character; a percent sign (%) matches any sequence of zero or more characters.
+ """
+ like: String
+
+ """
+ Does not match the specified pattern (case-sensitive). An underscore (_) matches any single character; a percent sign (%) matches any sequence of zero or more characters.
+ """
+ notLike: String
+
+ """
+ Matches the specified pattern (case-insensitive). An underscore (_) matches any single character; a percent sign (%) matches any sequence of zero or more characters.
+ """
+ likeInsensitive: String
+
+ """
+ Does not match the specified pattern (case-insensitive). An underscore (_) matches any single character; a percent sign (%) matches any sequence of zero or more characters.
+ """
+ notLikeInsensitive: String
+
+ """Equal to the specified value (case-insensitive)."""
+ equalToInsensitive: String
+
+ """Not equal to the specified value (case-insensitive)."""
+ notEqualToInsensitive: String
+
+ """
+ Not equal to the specified value, treating null like an ordinary value (case-insensitive).
+ """
+ distinctFromInsensitive: String
+
+ """
+ Equal to the specified value, treating null like an ordinary value (case-insensitive).
+ """
+ notDistinctFromInsensitive: String
+
+ """Included in the specified list (case-insensitive)."""
+ inInsensitive: [String!]
+
+ """Not included in the specified list (case-insensitive)."""
+ notInInsensitive: [String!]
+
+ """Less than the specified value (case-insensitive)."""
+ lessThanInsensitive: String
+
+ """Less than or equal to the specified value (case-insensitive)."""
+ lessThanOrEqualToInsensitive: String
+
+ """Greater than the specified value (case-insensitive)."""
+ greaterThanInsensitive: String
+
+ """Greater than or equal to the specified value (case-insensitive)."""
+ greaterThanOrEqualToInsensitive: String
+}
+
+"""
+A filter to be used against JSON fields. All fields are combined with a logical ‘and.’
+"""
+input JSONFilter {
+ """
+ Is null (if `true` is specified) or is not null (if `false` is specified).
+ """
+ isNull: Boolean
+
+ """Equal to the specified value."""
+ equalTo: JSON
+
+ """Not equal to the specified value."""
+ notEqualTo: JSON
+
+ """
+ Not equal to the specified value, treating null like an ordinary value.
+ """
+ distinctFrom: JSON
+
+ """Equal to the specified value, treating null like an ordinary value."""
+ notDistinctFrom: JSON
+
+ """Included in the specified list."""
+ in: [JSON!]
+
+ """Not included in the specified list."""
+ notIn: [JSON!]
+
+ """Less than the specified value."""
+ lessThan: JSON
+
+ """Less than or equal to the specified value."""
+ lessThanOrEqualTo: JSON
+
+ """Greater than the specified value."""
+ greaterThan: JSON
+
+ """Greater than or equal to the specified value."""
+ greaterThanOrEqualTo: JSON
+
+ """Contains the specified JSON."""
+ contains: JSON
+
+ """Contains the specified key."""
+ containsKey: String
+
+ """Contains all of the specified keys."""
+ containsAllKeys: [String!]
+
+ """Contains any of the specified keys."""
+ containsAnyKeys: [String!]
+
+ """Contained by the specified JSON."""
+ containedBy: JSON
+}
+
+"""
+A filter to be used against FullText fields. All fields are combined with a logical ‘and.’
+"""
+input FullTextFilter {
+ """Performs a full text search on the field."""
+ matches: String
+}
+
+"""
+A filter to be used against Int fields. All fields are combined with a logical ‘and.’
+"""
+input IntFilter {
+ """
+ Is null (if `true` is specified) or is not null (if `false` is specified).
+ """
+ isNull: Boolean
+
+ """Equal to the specified value."""
+ equalTo: Int
+
+ """Not equal to the specified value."""
+ notEqualTo: Int
+
+ """
+ Not equal to the specified value, treating null like an ordinary value.
+ """
+ distinctFrom: Int
+
+ """Equal to the specified value, treating null like an ordinary value."""
+ notDistinctFrom: Int
+
+ """Included in the specified list."""
+ in: [Int!]
+
+ """Not included in the specified list."""
+ notIn: [Int!]
+
+ """Less than the specified value."""
+ lessThan: Int
+
+ """Less than or equal to the specified value."""
+ lessThanOrEqualTo: Int
+
+ """Greater than the specified value."""
+ greaterThan: Int
+
+ """Greater than or equal to the specified value."""
+ greaterThanOrEqualTo: Int
+}
+
+"""
+A filter to be used against Datetime fields. All fields are combined with a logical ‘and.’
+"""
+input DatetimeFilter {
+ """
+ Is null (if `true` is specified) or is not null (if `false` is specified).
+ """
+ isNull: Boolean
+
+ """Equal to the specified value."""
+ equalTo: Datetime
+
+ """Not equal to the specified value."""
+ notEqualTo: Datetime
+
+ """
+ Not equal to the specified value, treating null like an ordinary value.
+ """
+ distinctFrom: Datetime
+
+ """Equal to the specified value, treating null like an ordinary value."""
+ notDistinctFrom: Datetime
+
+ """Included in the specified list."""
+ in: [Datetime!]
+
+ """Not included in the specified list."""
+ notIn: [Datetime!]
+
+ """Less than the specified value."""
+ lessThan: Datetime
+
+ """Less than or equal to the specified value."""
+ lessThanOrEqualTo: Datetime
+
+ """Greater than the specified value."""
+ greaterThan: Datetime
+
+ """Greater than or equal to the specified value."""
+ greaterThanOrEqualTo: Datetime
+}
+
+"""A connection to a list of `AppLimit` values."""
+type AppLimitsConnection {
+ """A list of `AppLimit` objects."""
+ nodes: [AppLimit!]!
+
+ """
+ A list of edges which contains the `AppLimit` and cursor to aid in pagination.
+ """
+ edges: [AppLimitsEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `AppLimit` you could get from the connection."""
+ totalCount: Int!
+}
+
+type AppLimit {
+ id: UUID!
+ name: String
+ actorId: UUID!
+ num: Int
+ max: Int
+
+ """Reads a single `User` that is related to this `AppLimit`."""
+ actor: User
+}
+
+"""A `AppLimit` edge in the connection."""
+type AppLimitsEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `AppLimit` at the end of the edge."""
+ node: AppLimit!
+}
+
+"""Methods to use when ordering `AppLimit`."""
+enum AppLimitsOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ NAME_ASC
+ NAME_DESC
+ ACTOR_ID_ASC
+ ACTOR_ID_DESC
+ NUM_ASC
+ NUM_DESC
+ MAX_ASC
+ MAX_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `AppLimit` object types. All fields are tested
+for equality and combined with a logical ‘and.’
+"""
+input AppLimitCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `name` field."""
+ name: String
+
+ """Checks for equality with the object’s `actorId` field."""
+ actorId: UUID
+
+ """Checks for equality with the object’s `num` field."""
+ num: Int
+
+ """Checks for equality with the object’s `max` field."""
+ max: Int
+}
+
+"""
+A filter to be used against `AppLimit` object types. All fields are combined with a logical ‘and.’
+"""
+input AppLimitFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `name` field."""
+ name: StringFilter
+
+ """Filter by the object’s `actorId` field."""
+ actorId: UUIDFilter
+
+ """Filter by the object’s `num` field."""
+ num: IntFilter
+
+ """Filter by the object’s `max` field."""
+ max: IntFilter
+
+ """Checks for all expressions in this list."""
+ and: [AppLimitFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [AppLimitFilter!]
+
+ """Negates the expression."""
+ not: AppLimitFilter
+}
+
+type AppMembership {
+ id: UUID!
+ createdAt: Datetime
+ updatedAt: Datetime
+ createdBy: UUID
+ updatedBy: UUID
+ isApproved: Boolean!
+ isBanned: Boolean!
+ isDisabled: Boolean!
+ isVerified: Boolean!
+ isActive: Boolean!
+ isOwner: Boolean!
+ isAdmin: Boolean!
+ permissions: BitString!
+ granted: BitString!
+ actorId: UUID!
+
+ """Reads a single `User` that is related to this `AppMembership`."""
+ actor: User
+}
+
+"""A string representing a series of binary bits"""
+scalar BitString
+
+"""A connection to a list of `AppAdminGrant` values."""
+type AppAdminGrantsConnection {
+ """A list of `AppAdminGrant` objects."""
+ nodes: [AppAdminGrant!]!
+
+ """
+ A list of edges which contains the `AppAdminGrant` and cursor to aid in pagination.
+ """
+ edges: [AppAdminGrantsEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `AppAdminGrant` you could get from the connection."""
+ totalCount: Int!
+}
+
+type AppAdminGrant {
+ id: UUID!
+ isGrant: Boolean!
+ actorId: UUID!
+ grantorId: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+
+ """Reads a single `User` that is related to this `AppAdminGrant`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `AppAdminGrant`."""
+ grantor: User
+}
+
+"""A `AppAdminGrant` edge in the connection."""
+type AppAdminGrantsEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `AppAdminGrant` at the end of the edge."""
+ node: AppAdminGrant!
+}
+
+"""Methods to use when ordering `AppAdminGrant`."""
+enum AppAdminGrantsOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ IS_GRANT_ASC
+ IS_GRANT_DESC
+ ACTOR_ID_ASC
+ ACTOR_ID_DESC
+ GRANTOR_ID_ASC
+ GRANTOR_ID_DESC
+ CREATED_AT_ASC
+ CREATED_AT_DESC
+ UPDATED_AT_ASC
+ UPDATED_AT_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `AppAdminGrant` object types. All fields are
+tested for equality and combined with a logical ‘and.’
+"""
+input AppAdminGrantCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `isGrant` field."""
+ isGrant: Boolean
+
+ """Checks for equality with the object’s `actorId` field."""
+ actorId: UUID
+
+ """Checks for equality with the object’s `grantorId` field."""
+ grantorId: UUID
+
+ """Checks for equality with the object’s `createdAt` field."""
+ createdAt: Datetime
+
+ """Checks for equality with the object’s `updatedAt` field."""
+ updatedAt: Datetime
+}
+
+"""
+A filter to be used against `AppAdminGrant` object types. All fields are combined with a logical ‘and.’
+"""
+input AppAdminGrantFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `isGrant` field."""
+ isGrant: BooleanFilter
+
+ """Filter by the object’s `actorId` field."""
+ actorId: UUIDFilter
+
+ """Filter by the object’s `grantorId` field."""
+ grantorId: UUIDFilter
+
+ """Filter by the object’s `createdAt` field."""
+ createdAt: DatetimeFilter
+
+ """Filter by the object’s `updatedAt` field."""
+ updatedAt: DatetimeFilter
+
+ """Checks for all expressions in this list."""
+ and: [AppAdminGrantFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [AppAdminGrantFilter!]
+
+ """Negates the expression."""
+ not: AppAdminGrantFilter
+}
+
+"""
+A filter to be used against Boolean fields. All fields are combined with a logical ‘and.’
+"""
+input BooleanFilter {
+ """
+ Is null (if `true` is specified) or is not null (if `false` is specified).
+ """
+ isNull: Boolean
+
+ """Equal to the specified value."""
+ equalTo: Boolean
+
+ """Not equal to the specified value."""
+ notEqualTo: Boolean
+
+ """
+ Not equal to the specified value, treating null like an ordinary value.
+ """
+ distinctFrom: Boolean
+
+ """Equal to the specified value, treating null like an ordinary value."""
+ notDistinctFrom: Boolean
+
+ """Included in the specified list."""
+ in: [Boolean!]
+
+ """Not included in the specified list."""
+ notIn: [Boolean!]
+
+ """Less than the specified value."""
+ lessThan: Boolean
+
+ """Less than or equal to the specified value."""
+ lessThanOrEqualTo: Boolean
+
+ """Greater than the specified value."""
+ greaterThan: Boolean
+
+ """Greater than or equal to the specified value."""
+ greaterThanOrEqualTo: Boolean
+}
+
+"""A connection to a list of `AppOwnerGrant` values."""
+type AppOwnerGrantsConnection {
+ """A list of `AppOwnerGrant` objects."""
+ nodes: [AppOwnerGrant!]!
+
+ """
+ A list of edges which contains the `AppOwnerGrant` and cursor to aid in pagination.
+ """
+ edges: [AppOwnerGrantsEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `AppOwnerGrant` you could get from the connection."""
+ totalCount: Int!
+}
+
+type AppOwnerGrant {
+ id: UUID!
+ isGrant: Boolean!
+ actorId: UUID!
+ grantorId: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+
+ """Reads a single `User` that is related to this `AppOwnerGrant`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `AppOwnerGrant`."""
+ grantor: User
+}
+
+"""A `AppOwnerGrant` edge in the connection."""
+type AppOwnerGrantsEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `AppOwnerGrant` at the end of the edge."""
+ node: AppOwnerGrant!
+}
+
+"""Methods to use when ordering `AppOwnerGrant`."""
+enum AppOwnerGrantsOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ IS_GRANT_ASC
+ IS_GRANT_DESC
+ ACTOR_ID_ASC
+ ACTOR_ID_DESC
+ GRANTOR_ID_ASC
+ GRANTOR_ID_DESC
+ CREATED_AT_ASC
+ CREATED_AT_DESC
+ UPDATED_AT_ASC
+ UPDATED_AT_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `AppOwnerGrant` object types. All fields are
+tested for equality and combined with a logical ‘and.’
+"""
+input AppOwnerGrantCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `isGrant` field."""
+ isGrant: Boolean
+
+ """Checks for equality with the object’s `actorId` field."""
+ actorId: UUID
+
+ """Checks for equality with the object’s `grantorId` field."""
+ grantorId: UUID
+
+ """Checks for equality with the object’s `createdAt` field."""
+ createdAt: Datetime
+
+ """Checks for equality with the object’s `updatedAt` field."""
+ updatedAt: Datetime
+}
+
+"""
+A filter to be used against `AppOwnerGrant` object types. All fields are combined with a logical ‘and.’
+"""
+input AppOwnerGrantFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `isGrant` field."""
+ isGrant: BooleanFilter
+
+ """Filter by the object’s `actorId` field."""
+ actorId: UUIDFilter
+
+ """Filter by the object’s `grantorId` field."""
+ grantorId: UUIDFilter
+
+ """Filter by the object’s `createdAt` field."""
+ createdAt: DatetimeFilter
+
+ """Filter by the object’s `updatedAt` field."""
+ updatedAt: DatetimeFilter
+
+ """Checks for all expressions in this list."""
+ and: [AppOwnerGrantFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [AppOwnerGrantFilter!]
+
+ """Negates the expression."""
+ not: AppOwnerGrantFilter
+}
+
+"""A connection to a list of `AppGrant` values."""
+type AppGrantsConnection {
+ """A list of `AppGrant` objects."""
+ nodes: [AppGrant!]!
+
+ """
+ A list of edges which contains the `AppGrant` and cursor to aid in pagination.
+ """
+ edges: [AppGrantsEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `AppGrant` you could get from the connection."""
+ totalCount: Int!
+}
+
+type AppGrant {
+ id: UUID!
+ permissions: BitString!
+ isGrant: Boolean!
+ actorId: UUID!
+ grantorId: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+
+ """Reads a single `User` that is related to this `AppGrant`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `AppGrant`."""
+ grantor: User
+}
+
+"""A `AppGrant` edge in the connection."""
+type AppGrantsEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `AppGrant` at the end of the edge."""
+ node: AppGrant!
+}
+
+"""Methods to use when ordering `AppGrant`."""
+enum AppGrantsOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ PERMISSIONS_ASC
+ PERMISSIONS_DESC
+ IS_GRANT_ASC
+ IS_GRANT_DESC
+ ACTOR_ID_ASC
+ ACTOR_ID_DESC
+ GRANTOR_ID_ASC
+ GRANTOR_ID_DESC
+ CREATED_AT_ASC
+ CREATED_AT_DESC
+ UPDATED_AT_ASC
+ UPDATED_AT_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `AppGrant` object types. All fields are tested
+for equality and combined with a logical ‘and.’
+"""
+input AppGrantCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `permissions` field."""
+ permissions: BitString
+
+ """Checks for equality with the object’s `isGrant` field."""
+ isGrant: Boolean
+
+ """Checks for equality with the object’s `actorId` field."""
+ actorId: UUID
+
+ """Checks for equality with the object’s `grantorId` field."""
+ grantorId: UUID
+
+ """Checks for equality with the object’s `createdAt` field."""
+ createdAt: Datetime
+
+ """Checks for equality with the object’s `updatedAt` field."""
+ updatedAt: Datetime
+}
+
+"""
+A filter to be used against `AppGrant` object types. All fields are combined with a logical ‘and.’
+"""
+input AppGrantFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `permissions` field."""
+ permissions: BitStringFilter
+
+ """Filter by the object’s `isGrant` field."""
+ isGrant: BooleanFilter
+
+ """Filter by the object’s `actorId` field."""
+ actorId: UUIDFilter
+
+ """Filter by the object’s `grantorId` field."""
+ grantorId: UUIDFilter
+
+ """Filter by the object’s `createdAt` field."""
+ createdAt: DatetimeFilter
+
+ """Filter by the object’s `updatedAt` field."""
+ updatedAt: DatetimeFilter
+
+ """Checks for all expressions in this list."""
+ and: [AppGrantFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [AppGrantFilter!]
+
+ """Negates the expression."""
+ not: AppGrantFilter
+}
+
+"""
+A filter to be used against BitString fields. All fields are combined with a logical ‘and.’
+"""
+input BitStringFilter {
+ """
+ Is null (if `true` is specified) or is not null (if `false` is specified).
+ """
+ isNull: Boolean
+
+ """Equal to the specified value."""
+ equalTo: BitString
+
+ """Not equal to the specified value."""
+ notEqualTo: BitString
+
+ """
+ Not equal to the specified value, treating null like an ordinary value.
+ """
+ distinctFrom: BitString
+
+ """Equal to the specified value, treating null like an ordinary value."""
+ notDistinctFrom: BitString
+
+ """Included in the specified list."""
+ in: [BitString!]
+
+ """Not included in the specified list."""
+ notIn: [BitString!]
+
+ """Less than the specified value."""
+ lessThan: BitString
+
+ """Less than or equal to the specified value."""
+ lessThanOrEqualTo: BitString
+
+ """Greater than the specified value."""
+ greaterThan: BitString
+
+ """Greater than or equal to the specified value."""
+ greaterThanOrEqualTo: BitString
+}
+
+"""A connection to a list of `AppStep` values."""
+type AppStepsConnection {
+ """A list of `AppStep` objects."""
+ nodes: [AppStep!]!
+
+ """
+ A list of edges which contains the `AppStep` and cursor to aid in pagination.
+ """
+ edges: [AppStepsEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `AppStep` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""
+The user achieving a requirement for a level. Log table that has every single step ever taken.
+"""
+type AppStep {
+ id: UUID!
+ actorId: UUID!
+ name: String!
+ count: Int!
+ createdAt: Datetime
+ updatedAt: Datetime
+
+ """Reads a single `User` that is related to this `AppStep`."""
+ actor: User
+}
+
+"""A `AppStep` edge in the connection."""
+type AppStepsEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `AppStep` at the end of the edge."""
+ node: AppStep!
+}
+
+"""Methods to use when ordering `AppStep`."""
+enum AppStepsOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ ACTOR_ID_ASC
+ ACTOR_ID_DESC
+ NAME_ASC
+ NAME_DESC
+ COUNT_ASC
+ COUNT_DESC
+ CREATED_AT_ASC
+ CREATED_AT_DESC
+ UPDATED_AT_ASC
+ UPDATED_AT_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `AppStep` object types. All fields are tested for equality and combined with a logical ‘and.’
+"""
+input AppStepCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `actorId` field."""
+ actorId: UUID
+
+ """Checks for equality with the object’s `name` field."""
+ name: String
+
+ """Checks for equality with the object’s `count` field."""
+ count: Int
+
+ """Checks for equality with the object’s `createdAt` field."""
+ createdAt: Datetime
+
+ """Checks for equality with the object’s `updatedAt` field."""
+ updatedAt: Datetime
+}
+
+"""
+A filter to be used against `AppStep` object types. All fields are combined with a logical ‘and.’
+"""
+input AppStepFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `actorId` field."""
+ actorId: UUIDFilter
+
+ """Filter by the object’s `name` field."""
+ name: StringFilter
+
+ """Filter by the object’s `count` field."""
+ count: IntFilter
+
+ """Filter by the object’s `createdAt` field."""
+ createdAt: DatetimeFilter
+
+ """Filter by the object’s `updatedAt` field."""
+ updatedAt: DatetimeFilter
+
+ """Checks for all expressions in this list."""
+ and: [AppStepFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [AppStepFilter!]
+
+ """Negates the expression."""
+ not: AppStepFilter
+}
+
+"""A connection to a list of `AppAchievement` values."""
+type AppAchievementsConnection {
+ """A list of `AppAchievement` objects."""
+ nodes: [AppAchievement!]!
+
+ """
+ A list of edges which contains the `AppAchievement` and cursor to aid in pagination.
+ """
+ edges: [AppAchievementsEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `AppAchievement` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""
+This table represents the users progress for particular level requirements, tallying the total count. This table is updated via triggers and should not be updated maually.
+"""
+type AppAchievement {
+ id: UUID!
+ actorId: UUID!
+ name: String!
+ count: Int!
+ createdAt: Datetime
+ updatedAt: Datetime
+
+ """Reads a single `User` that is related to this `AppAchievement`."""
+ actor: User
+}
+
+"""A `AppAchievement` edge in the connection."""
+type AppAchievementsEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `AppAchievement` at the end of the edge."""
+ node: AppAchievement!
+}
+
+"""Methods to use when ordering `AppAchievement`."""
+enum AppAchievementsOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ ACTOR_ID_ASC
+ ACTOR_ID_DESC
+ NAME_ASC
+ NAME_DESC
+ COUNT_ASC
+ COUNT_DESC
+ CREATED_AT_ASC
+ CREATED_AT_DESC
+ UPDATED_AT_ASC
+ UPDATED_AT_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `AppAchievement` object types. All fields are
+tested for equality and combined with a logical ‘and.’
+"""
+input AppAchievementCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `actorId` field."""
+ actorId: UUID
+
+ """Checks for equality with the object’s `name` field."""
+ name: String
+
+ """Checks for equality with the object’s `count` field."""
+ count: Int
+
+ """Checks for equality with the object’s `createdAt` field."""
+ createdAt: Datetime
+
+ """Checks for equality with the object’s `updatedAt` field."""
+ updatedAt: Datetime
+}
+
+"""
+A filter to be used against `AppAchievement` object types. All fields are combined with a logical ‘and.’
+"""
+input AppAchievementFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `actorId` field."""
+ actorId: UUIDFilter
+
+ """Filter by the object’s `name` field."""
+ name: StringFilter
+
+ """Filter by the object’s `count` field."""
+ count: IntFilter
+
+ """Filter by the object’s `createdAt` field."""
+ createdAt: DatetimeFilter
+
+ """Filter by the object’s `updatedAt` field."""
+ updatedAt: DatetimeFilter
+
+ """Checks for all expressions in this list."""
+ and: [AppAchievementFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [AppAchievementFilter!]
+
+ """Negates the expression."""
+ not: AppAchievementFilter
+}
+
+"""A connection to a list of `AppLevel` values."""
+type AppLevelsConnection {
+ """A list of `AppLevel` objects."""
+ nodes: [AppLevel!]!
+
+ """
+ A list of edges which contains the `AppLevel` and cursor to aid in pagination.
+ """
+ edges: [AppLevelsEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `AppLevel` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""Levels for achievement"""
+type AppLevel {
+ id: UUID!
+ name: String!
+ description: String
+ image: JSON
+ ownerId: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+
+ """Reads a single `User` that is related to this `AppLevel`."""
+ owner: User
+}
+
+"""A `AppLevel` edge in the connection."""
+type AppLevelsEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `AppLevel` at the end of the edge."""
+ node: AppLevel!
+}
+
+"""Methods to use when ordering `AppLevel`."""
+enum AppLevelsOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ NAME_ASC
+ NAME_DESC
+ DESCRIPTION_ASC
+ DESCRIPTION_DESC
+ IMAGE_ASC
+ IMAGE_DESC
+ OWNER_ID_ASC
+ OWNER_ID_DESC
+ CREATED_AT_ASC
+ CREATED_AT_DESC
+ UPDATED_AT_ASC
+ UPDATED_AT_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `AppLevel` object types. All fields are tested
+for equality and combined with a logical ‘and.’
+"""
+input AppLevelCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `name` field."""
+ name: String
+
+ """Checks for equality with the object’s `description` field."""
+ description: String
+
+ """Checks for equality with the object’s `image` field."""
+ image: JSON
+
+ """Checks for equality with the object’s `ownerId` field."""
+ ownerId: UUID
+
+ """Checks for equality with the object’s `createdAt` field."""
+ createdAt: Datetime
+
+ """Checks for equality with the object’s `updatedAt` field."""
+ updatedAt: Datetime
+}
+
+"""
+A filter to be used against `AppLevel` object types. All fields are combined with a logical ‘and.’
+"""
+input AppLevelFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `name` field."""
+ name: StringFilter
+
+ """Filter by the object’s `description` field."""
+ description: StringFilter
+
+ """Filter by the object’s `image` field."""
+ image: JSONFilter
+
+ """Filter by the object’s `ownerId` field."""
+ ownerId: UUIDFilter
+
+ """Filter by the object’s `createdAt` field."""
+ createdAt: DatetimeFilter
+
+ """Filter by the object’s `updatedAt` field."""
+ updatedAt: DatetimeFilter
+
+ """Checks for all expressions in this list."""
+ and: [AppLevelFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [AppLevelFilter!]
+
+ """Negates the expression."""
+ not: AppLevelFilter
+}
+
+"""A connection to a list of `MembershipPermissionDefault` values."""
+type MembershipPermissionDefaultsConnection {
+ """A list of `MembershipPermissionDefault` objects."""
+ nodes: [MembershipPermissionDefault!]!
+
+ """
+ A list of edges which contains the `MembershipPermissionDefault` and cursor to aid in pagination.
+ """
+ edges: [MembershipPermissionDefaultsEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """
+ The count of *all* `MembershipPermissionDefault` you could get from the connection.
+ """
+ totalCount: Int!
+}
+
+type MembershipPermissionDefault {
+ id: UUID!
+ permissions: BitString!
+ entityId: UUID!
+
+ """
+ Reads a single `User` that is related to this `MembershipPermissionDefault`.
+ """
+ entity: User
+}
+
+"""A `MembershipPermissionDefault` edge in the connection."""
+type MembershipPermissionDefaultsEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `MembershipPermissionDefault` at the end of the edge."""
+ node: MembershipPermissionDefault!
+}
+
+"""Methods to use when ordering `MembershipPermissionDefault`."""
+enum MembershipPermissionDefaultsOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ PERMISSIONS_ASC
+ PERMISSIONS_DESC
+ ENTITY_ID_ASC
+ ENTITY_ID_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `MembershipPermissionDefault` object types. All
+fields are tested for equality and combined with a logical ‘and.’
+"""
+input MembershipPermissionDefaultCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `permissions` field."""
+ permissions: BitString
+
+ """Checks for equality with the object’s `entityId` field."""
+ entityId: UUID
+}
+
+"""
+A filter to be used against `MembershipPermissionDefault` object types. All fields are combined with a logical ‘and.’
+"""
+input MembershipPermissionDefaultFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `permissions` field."""
+ permissions: BitStringFilter
+
+ """Filter by the object’s `entityId` field."""
+ entityId: UUIDFilter
+
+ """Checks for all expressions in this list."""
+ and: [MembershipPermissionDefaultFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [MembershipPermissionDefaultFilter!]
+
+ """Negates the expression."""
+ not: MembershipPermissionDefaultFilter
+}
+
+"""A connection to a list of `MembershipLimit` values."""
+type MembershipLimitsConnection {
+ """A list of `MembershipLimit` objects."""
+ nodes: [MembershipLimit!]!
+
+ """
+ A list of edges which contains the `MembershipLimit` and cursor to aid in pagination.
+ """
+ edges: [MembershipLimitsEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """
+ The count of *all* `MembershipLimit` you could get from the connection.
+ """
+ totalCount: Int!
+}
+
+type MembershipLimit {
+ id: UUID!
+ name: String
+ actorId: UUID!
+ num: Int
+ max: Int
+ entityId: UUID!
+
+ """Reads a single `User` that is related to this `MembershipLimit`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `MembershipLimit`."""
+ entity: User
+}
+
+"""A `MembershipLimit` edge in the connection."""
+type MembershipLimitsEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `MembershipLimit` at the end of the edge."""
+ node: MembershipLimit!
+}
+
+"""Methods to use when ordering `MembershipLimit`."""
+enum MembershipLimitsOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ NAME_ASC
+ NAME_DESC
+ ACTOR_ID_ASC
+ ACTOR_ID_DESC
+ NUM_ASC
+ NUM_DESC
+ MAX_ASC
+ MAX_DESC
+ ENTITY_ID_ASC
+ ENTITY_ID_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `MembershipLimit` object types. All fields are
+tested for equality and combined with a logical ‘and.’
+"""
+input MembershipLimitCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `name` field."""
+ name: String
+
+ """Checks for equality with the object’s `actorId` field."""
+ actorId: UUID
+
+ """Checks for equality with the object’s `num` field."""
+ num: Int
+
+ """Checks for equality with the object’s `max` field."""
+ max: Int
+
+ """Checks for equality with the object’s `entityId` field."""
+ entityId: UUID
+}
+
+"""
+A filter to be used against `MembershipLimit` object types. All fields are combined with a logical ‘and.’
+"""
+input MembershipLimitFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `name` field."""
+ name: StringFilter
+
+ """Filter by the object’s `actorId` field."""
+ actorId: UUIDFilter
+
+ """Filter by the object’s `num` field."""
+ num: IntFilter
+
+ """Filter by the object’s `max` field."""
+ max: IntFilter
+
+ """Filter by the object’s `entityId` field."""
+ entityId: UUIDFilter
+
+ """Checks for all expressions in this list."""
+ and: [MembershipLimitFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [MembershipLimitFilter!]
+
+ """Negates the expression."""
+ not: MembershipLimitFilter
+}
+
+"""A connection to a list of `MembershipMembership` values."""
+type MembershipMembershipsConnection {
+ """A list of `MembershipMembership` objects."""
+ nodes: [MembershipMembership!]!
+
+ """
+ A list of edges which contains the `MembershipMembership` and cursor to aid in pagination.
+ """
+ edges: [MembershipMembershipsEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """
+ The count of *all* `MembershipMembership` you could get from the connection.
+ """
+ totalCount: Int!
+}
+
+type MembershipMembership {
+ id: UUID!
+ createdAt: Datetime
+ updatedAt: Datetime
+ createdBy: UUID
+ updatedBy: UUID
+ isApproved: Boolean!
+ isBanned: Boolean!
+ isDisabled: Boolean!
+ isActive: Boolean!
+ isOwner: Boolean!
+ isAdmin: Boolean!
+ permissions: BitString!
+ granted: BitString!
+ actorId: UUID!
+ entityId: UUID!
+
+ """Reads a single `User` that is related to this `MembershipMembership`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `MembershipMembership`."""
+ entity: User
+}
+
+"""A `MembershipMembership` edge in the connection."""
+type MembershipMembershipsEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `MembershipMembership` at the end of the edge."""
+ node: MembershipMembership!
+}
+
+"""Methods to use when ordering `MembershipMembership`."""
+enum MembershipMembershipsOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ CREATED_AT_ASC
+ CREATED_AT_DESC
+ UPDATED_AT_ASC
+ UPDATED_AT_DESC
+ CREATED_BY_ASC
+ CREATED_BY_DESC
+ UPDATED_BY_ASC
+ UPDATED_BY_DESC
+ IS_APPROVED_ASC
+ IS_APPROVED_DESC
+ IS_BANNED_ASC
+ IS_BANNED_DESC
+ IS_DISABLED_ASC
+ IS_DISABLED_DESC
+ IS_ACTIVE_ASC
+ IS_ACTIVE_DESC
+ IS_OWNER_ASC
+ IS_OWNER_DESC
+ IS_ADMIN_ASC
+ IS_ADMIN_DESC
+ PERMISSIONS_ASC
+ PERMISSIONS_DESC
+ GRANTED_ASC
+ GRANTED_DESC
+ ACTOR_ID_ASC
+ ACTOR_ID_DESC
+ ENTITY_ID_ASC
+ ENTITY_ID_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `MembershipMembership` object types. All fields
+are tested for equality and combined with a logical ‘and.’
+"""
+input MembershipMembershipCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `createdAt` field."""
+ createdAt: Datetime
+
+ """Checks for equality with the object’s `updatedAt` field."""
+ updatedAt: Datetime
+
+ """Checks for equality with the object’s `createdBy` field."""
+ createdBy: UUID
+
+ """Checks for equality with the object’s `updatedBy` field."""
+ updatedBy: UUID
+
+ """Checks for equality with the object’s `isApproved` field."""
+ isApproved: Boolean
+
+ """Checks for equality with the object’s `isBanned` field."""
+ isBanned: Boolean
+
+ """Checks for equality with the object’s `isDisabled` field."""
+ isDisabled: Boolean
+
+ """Checks for equality with the object’s `isActive` field."""
+ isActive: Boolean
+
+ """Checks for equality with the object’s `isOwner` field."""
+ isOwner: Boolean
+
+ """Checks for equality with the object’s `isAdmin` field."""
+ isAdmin: Boolean
+
+ """Checks for equality with the object’s `permissions` field."""
+ permissions: BitString
+
+ """Checks for equality with the object’s `granted` field."""
+ granted: BitString
+
+ """Checks for equality with the object’s `actorId` field."""
+ actorId: UUID
+
+ """Checks for equality with the object’s `entityId` field."""
+ entityId: UUID
+}
+
+"""
+A filter to be used against `MembershipMembership` object types. All fields are combined with a logical ‘and.’
+"""
+input MembershipMembershipFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `createdAt` field."""
+ createdAt: DatetimeFilter
+
+ """Filter by the object’s `updatedAt` field."""
+ updatedAt: DatetimeFilter
+
+ """Filter by the object’s `createdBy` field."""
+ createdBy: UUIDFilter
+
+ """Filter by the object’s `updatedBy` field."""
+ updatedBy: UUIDFilter
+
+ """Filter by the object’s `isApproved` field."""
+ isApproved: BooleanFilter
+
+ """Filter by the object’s `isBanned` field."""
+ isBanned: BooleanFilter
+
+ """Filter by the object’s `isDisabled` field."""
+ isDisabled: BooleanFilter
+
+ """Filter by the object’s `isActive` field."""
+ isActive: BooleanFilter
+
+ """Filter by the object’s `isOwner` field."""
+ isOwner: BooleanFilter
+
+ """Filter by the object’s `isAdmin` field."""
+ isAdmin: BooleanFilter
+
+ """Filter by the object’s `permissions` field."""
+ permissions: BitStringFilter
+
+ """Filter by the object’s `granted` field."""
+ granted: BitStringFilter
+
+ """Filter by the object’s `actorId` field."""
+ actorId: UUIDFilter
+
+ """Filter by the object’s `entityId` field."""
+ entityId: UUIDFilter
+
+ """Checks for all expressions in this list."""
+ and: [MembershipMembershipFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [MembershipMembershipFilter!]
+
+ """Negates the expression."""
+ not: MembershipMembershipFilter
+}
+
+type MembershipMembershipDefault {
+ id: UUID!
+ createdAt: Datetime
+ updatedAt: Datetime
+ createdBy: UUID
+ updatedBy: UUID
+ isApproved: Boolean!
+ entityId: UUID!
+ deleteMemberCascadeGroups: Boolean!
+ createGroupsCascadeMembers: Boolean!
+
+ """
+ Reads a single `User` that is related to this `MembershipMembershipDefault`.
+ """
+ entity: User
+}
+
+"""A connection to a list of `MembershipMember` values."""
+type MembershipMembersConnection {
+ """A list of `MembershipMember` objects."""
+ nodes: [MembershipMember!]!
+
+ """
+ A list of edges which contains the `MembershipMember` and cursor to aid in pagination.
+ """
+ edges: [MembershipMembersEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """
+ The count of *all* `MembershipMember` you could get from the connection.
+ """
+ totalCount: Int!
+}
+
+type MembershipMember {
+ id: UUID!
+ isAdmin: Boolean!
+ actorId: UUID!
+ entityId: UUID!
+
+ """Reads a single `User` that is related to this `MembershipMember`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `MembershipMember`."""
+ entity: User
+}
+
+"""A `MembershipMember` edge in the connection."""
+type MembershipMembersEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `MembershipMember` at the end of the edge."""
+ node: MembershipMember!
+}
+
+"""Methods to use when ordering `MembershipMember`."""
+enum MembershipMembersOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ IS_ADMIN_ASC
+ IS_ADMIN_DESC
+ ACTOR_ID_ASC
+ ACTOR_ID_DESC
+ ENTITY_ID_ASC
+ ENTITY_ID_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `MembershipMember` object types. All fields are
+tested for equality and combined with a logical ‘and.’
+"""
+input MembershipMemberCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `isAdmin` field."""
+ isAdmin: Boolean
+
+ """Checks for equality with the object’s `actorId` field."""
+ actorId: UUID
+
+ """Checks for equality with the object’s `entityId` field."""
+ entityId: UUID
+}
+
+"""
+A filter to be used against `MembershipMember` object types. All fields are combined with a logical ‘and.’
+"""
+input MembershipMemberFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `isAdmin` field."""
+ isAdmin: BooleanFilter
+
+ """Filter by the object’s `actorId` field."""
+ actorId: UUIDFilter
+
+ """Filter by the object’s `entityId` field."""
+ entityId: UUIDFilter
+
+ """Checks for all expressions in this list."""
+ and: [MembershipMemberFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [MembershipMemberFilter!]
+
+ """Negates the expression."""
+ not: MembershipMemberFilter
+}
+
+"""A connection to a list of `MembershipAdminGrant` values."""
+type MembershipAdminGrantsConnection {
+ """A list of `MembershipAdminGrant` objects."""
+ nodes: [MembershipAdminGrant!]!
+
+ """
+ A list of edges which contains the `MembershipAdminGrant` and cursor to aid in pagination.
+ """
+ edges: [MembershipAdminGrantsEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """
+ The count of *all* `MembershipAdminGrant` you could get from the connection.
+ """
+ totalCount: Int!
+}
+
+type MembershipAdminGrant {
+ id: UUID!
+ isGrant: Boolean!
+ actorId: UUID!
+ entityId: UUID!
+ grantorId: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+
+ """Reads a single `User` that is related to this `MembershipAdminGrant`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `MembershipAdminGrant`."""
+ entity: User
+
+ """Reads a single `User` that is related to this `MembershipAdminGrant`."""
+ grantor: User
+}
+
+"""A `MembershipAdminGrant` edge in the connection."""
+type MembershipAdminGrantsEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `MembershipAdminGrant` at the end of the edge."""
+ node: MembershipAdminGrant!
+}
+
+"""Methods to use when ordering `MembershipAdminGrant`."""
+enum MembershipAdminGrantsOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ IS_GRANT_ASC
+ IS_GRANT_DESC
+ ACTOR_ID_ASC
+ ACTOR_ID_DESC
+ ENTITY_ID_ASC
+ ENTITY_ID_DESC
+ GRANTOR_ID_ASC
+ GRANTOR_ID_DESC
+ CREATED_AT_ASC
+ CREATED_AT_DESC
+ UPDATED_AT_ASC
+ UPDATED_AT_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `MembershipAdminGrant` object types. All fields
+are tested for equality and combined with a logical ‘and.’
+"""
+input MembershipAdminGrantCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `isGrant` field."""
+ isGrant: Boolean
+
+ """Checks for equality with the object’s `actorId` field."""
+ actorId: UUID
+
+ """Checks for equality with the object’s `entityId` field."""
+ entityId: UUID
+
+ """Checks for equality with the object’s `grantorId` field."""
+ grantorId: UUID
+
+ """Checks for equality with the object’s `createdAt` field."""
+ createdAt: Datetime
+
+ """Checks for equality with the object’s `updatedAt` field."""
+ updatedAt: Datetime
+}
+
+"""
+A filter to be used against `MembershipAdminGrant` object types. All fields are combined with a logical ‘and.’
+"""
+input MembershipAdminGrantFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `isGrant` field."""
+ isGrant: BooleanFilter
+
+ """Filter by the object’s `actorId` field."""
+ actorId: UUIDFilter
+
+ """Filter by the object’s `entityId` field."""
+ entityId: UUIDFilter
+
+ """Filter by the object’s `grantorId` field."""
+ grantorId: UUIDFilter
+
+ """Filter by the object’s `createdAt` field."""
+ createdAt: DatetimeFilter
+
+ """Filter by the object’s `updatedAt` field."""
+ updatedAt: DatetimeFilter
+
+ """Checks for all expressions in this list."""
+ and: [MembershipAdminGrantFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [MembershipAdminGrantFilter!]
+
+ """Negates the expression."""
+ not: MembershipAdminGrantFilter
+}
+
+"""A connection to a list of `MembershipOwnerGrant` values."""
+type MembershipOwnerGrantsConnection {
+ """A list of `MembershipOwnerGrant` objects."""
+ nodes: [MembershipOwnerGrant!]!
+
+ """
+ A list of edges which contains the `MembershipOwnerGrant` and cursor to aid in pagination.
+ """
+ edges: [MembershipOwnerGrantsEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """
+ The count of *all* `MembershipOwnerGrant` you could get from the connection.
+ """
+ totalCount: Int!
+}
+
+type MembershipOwnerGrant {
+ id: UUID!
+ isGrant: Boolean!
+ actorId: UUID!
+ entityId: UUID!
+ grantorId: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+
+ """Reads a single `User` that is related to this `MembershipOwnerGrant`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `MembershipOwnerGrant`."""
+ entity: User
+
+ """Reads a single `User` that is related to this `MembershipOwnerGrant`."""
+ grantor: User
+}
+
+"""A `MembershipOwnerGrant` edge in the connection."""
+type MembershipOwnerGrantsEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `MembershipOwnerGrant` at the end of the edge."""
+ node: MembershipOwnerGrant!
+}
+
+"""Methods to use when ordering `MembershipOwnerGrant`."""
+enum MembershipOwnerGrantsOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ IS_GRANT_ASC
+ IS_GRANT_DESC
+ ACTOR_ID_ASC
+ ACTOR_ID_DESC
+ ENTITY_ID_ASC
+ ENTITY_ID_DESC
+ GRANTOR_ID_ASC
+ GRANTOR_ID_DESC
+ CREATED_AT_ASC
+ CREATED_AT_DESC
+ UPDATED_AT_ASC
+ UPDATED_AT_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `MembershipOwnerGrant` object types. All fields
+are tested for equality and combined with a logical ‘and.’
+"""
+input MembershipOwnerGrantCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `isGrant` field."""
+ isGrant: Boolean
+
+ """Checks for equality with the object’s `actorId` field."""
+ actorId: UUID
+
+ """Checks for equality with the object’s `entityId` field."""
+ entityId: UUID
+
+ """Checks for equality with the object’s `grantorId` field."""
+ grantorId: UUID
+
+ """Checks for equality with the object’s `createdAt` field."""
+ createdAt: Datetime
+
+ """Checks for equality with the object’s `updatedAt` field."""
+ updatedAt: Datetime
+}
+
+"""
+A filter to be used against `MembershipOwnerGrant` object types. All fields are combined with a logical ‘and.’
+"""
+input MembershipOwnerGrantFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `isGrant` field."""
+ isGrant: BooleanFilter
+
+ """Filter by the object’s `actorId` field."""
+ actorId: UUIDFilter
+
+ """Filter by the object’s `entityId` field."""
+ entityId: UUIDFilter
+
+ """Filter by the object’s `grantorId` field."""
+ grantorId: UUIDFilter
+
+ """Filter by the object’s `createdAt` field."""
+ createdAt: DatetimeFilter
+
+ """Filter by the object’s `updatedAt` field."""
+ updatedAt: DatetimeFilter
+
+ """Checks for all expressions in this list."""
+ and: [MembershipOwnerGrantFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [MembershipOwnerGrantFilter!]
+
+ """Negates the expression."""
+ not: MembershipOwnerGrantFilter
+}
+
+"""A connection to a list of `MembershipGrant` values."""
+type MembershipGrantsConnection {
+ """A list of `MembershipGrant` objects."""
+ nodes: [MembershipGrant!]!
+
+ """
+ A list of edges which contains the `MembershipGrant` and cursor to aid in pagination.
+ """
+ edges: [MembershipGrantsEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """
+ The count of *all* `MembershipGrant` you could get from the connection.
+ """
+ totalCount: Int!
+}
+
+type MembershipGrant {
+ id: UUID!
+ permissions: BitString!
+ isGrant: Boolean!
+ actorId: UUID!
+ entityId: UUID!
+ grantorId: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+
+ """Reads a single `User` that is related to this `MembershipGrant`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `MembershipGrant`."""
+ entity: User
+
+ """Reads a single `User` that is related to this `MembershipGrant`."""
+ grantor: User
+}
+
+"""A `MembershipGrant` edge in the connection."""
+type MembershipGrantsEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `MembershipGrant` at the end of the edge."""
+ node: MembershipGrant!
+}
+
+"""Methods to use when ordering `MembershipGrant`."""
+enum MembershipGrantsOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ PERMISSIONS_ASC
+ PERMISSIONS_DESC
+ IS_GRANT_ASC
+ IS_GRANT_DESC
+ ACTOR_ID_ASC
+ ACTOR_ID_DESC
+ ENTITY_ID_ASC
+ ENTITY_ID_DESC
+ GRANTOR_ID_ASC
+ GRANTOR_ID_DESC
+ CREATED_AT_ASC
+ CREATED_AT_DESC
+ UPDATED_AT_ASC
+ UPDATED_AT_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `MembershipGrant` object types. All fields are
+tested for equality and combined with a logical ‘and.’
+"""
+input MembershipGrantCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `permissions` field."""
+ permissions: BitString
+
+ """Checks for equality with the object’s `isGrant` field."""
+ isGrant: Boolean
+
+ """Checks for equality with the object’s `actorId` field."""
+ actorId: UUID
+
+ """Checks for equality with the object’s `entityId` field."""
+ entityId: UUID
+
+ """Checks for equality with the object’s `grantorId` field."""
+ grantorId: UUID
+
+ """Checks for equality with the object’s `createdAt` field."""
+ createdAt: Datetime
+
+ """Checks for equality with the object’s `updatedAt` field."""
+ updatedAt: Datetime
+}
+
+"""
+A filter to be used against `MembershipGrant` object types. All fields are combined with a logical ‘and.’
+"""
+input MembershipGrantFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `permissions` field."""
+ permissions: BitStringFilter
+
+ """Filter by the object’s `isGrant` field."""
+ isGrant: BooleanFilter
+
+ """Filter by the object’s `actorId` field."""
+ actorId: UUIDFilter
+
+ """Filter by the object’s `entityId` field."""
+ entityId: UUIDFilter
+
+ """Filter by the object’s `grantorId` field."""
+ grantorId: UUIDFilter
+
+ """Filter by the object’s `createdAt` field."""
+ createdAt: DatetimeFilter
+
+ """Filter by the object’s `updatedAt` field."""
+ updatedAt: DatetimeFilter
+
+ """Checks for all expressions in this list."""
+ and: [MembershipGrantFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [MembershipGrantFilter!]
+
+ """Negates the expression."""
+ not: MembershipGrantFilter
+}
+
+"""A connection to a list of `Email` values."""
+type EmailsConnection {
+ """A list of `Email` objects."""
+ nodes: [Email!]!
+
+ """
+ A list of edges which contains the `Email` and cursor to aid in pagination.
+ """
+ edges: [EmailsEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `Email` you could get from the connection."""
+ totalCount: Int!
+}
+
+type Email {
+ id: UUID!
+ ownerId: UUID!
+ email: String!
+ isVerified: Boolean!
+ isPrimary: Boolean!
+ createdAt: Datetime
+ updatedAt: Datetime
+
+ """Reads a single `User` that is related to this `Email`."""
+ owner: User
+}
+
+"""A `Email` edge in the connection."""
+type EmailsEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `Email` at the end of the edge."""
+ node: Email!
+}
+
+"""Methods to use when ordering `Email`."""
+enum EmailsOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ OWNER_ID_ASC
+ OWNER_ID_DESC
+ EMAIL_ASC
+ EMAIL_DESC
+ IS_VERIFIED_ASC
+ IS_VERIFIED_DESC
+ IS_PRIMARY_ASC
+ IS_PRIMARY_DESC
+ CREATED_AT_ASC
+ CREATED_AT_DESC
+ UPDATED_AT_ASC
+ UPDATED_AT_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `Email` object types. All fields are tested for equality and combined with a logical ‘and.’
+"""
+input EmailCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `ownerId` field."""
+ ownerId: UUID
+
+ """Checks for equality with the object’s `email` field."""
+ email: String
+
+ """Checks for equality with the object’s `isVerified` field."""
+ isVerified: Boolean
+
+ """Checks for equality with the object’s `isPrimary` field."""
+ isPrimary: Boolean
+
+ """Checks for equality with the object’s `createdAt` field."""
+ createdAt: Datetime
+
+ """Checks for equality with the object’s `updatedAt` field."""
+ updatedAt: Datetime
+}
+
+"""
+A filter to be used against `Email` object types. All fields are combined with a logical ‘and.’
+"""
+input EmailFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `ownerId` field."""
+ ownerId: UUIDFilter
+
+ """Filter by the object’s `email` field."""
+ email: StringFilter
+
+ """Filter by the object’s `isVerified` field."""
+ isVerified: BooleanFilter
+
+ """Filter by the object’s `isPrimary` field."""
+ isPrimary: BooleanFilter
+
+ """Filter by the object’s `createdAt` field."""
+ createdAt: DatetimeFilter
+
+ """Filter by the object’s `updatedAt` field."""
+ updatedAt: DatetimeFilter
+
+ """Checks for all expressions in this list."""
+ and: [EmailFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [EmailFilter!]
+
+ """Negates the expression."""
+ not: EmailFilter
+}
+
+"""A connection to a list of `PhoneNumber` values."""
+type PhoneNumbersConnection {
+ """A list of `PhoneNumber` objects."""
+ nodes: [PhoneNumber!]!
+
+ """
+ A list of edges which contains the `PhoneNumber` and cursor to aid in pagination.
+ """
+ edges: [PhoneNumbersEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `PhoneNumber` you could get from the connection."""
+ totalCount: Int!
+}
+
+type PhoneNumber {
+ id: UUID!
+ ownerId: UUID!
+ cc: String!
+ number: String!
+ isVerified: Boolean!
+ isPrimary: Boolean!
+ createdAt: Datetime
+ updatedAt: Datetime
+
+ """Reads a single `User` that is related to this `PhoneNumber`."""
+ owner: User
+}
+
+"""A `PhoneNumber` edge in the connection."""
+type PhoneNumbersEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `PhoneNumber` at the end of the edge."""
+ node: PhoneNumber!
+}
+
+"""Methods to use when ordering `PhoneNumber`."""
+enum PhoneNumbersOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ OWNER_ID_ASC
+ OWNER_ID_DESC
+ CC_ASC
+ CC_DESC
+ NUMBER_ASC
+ NUMBER_DESC
+ IS_VERIFIED_ASC
+ IS_VERIFIED_DESC
+ IS_PRIMARY_ASC
+ IS_PRIMARY_DESC
+ CREATED_AT_ASC
+ CREATED_AT_DESC
+ UPDATED_AT_ASC
+ UPDATED_AT_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `PhoneNumber` object types. All fields are tested
+for equality and combined with a logical ‘and.’
+"""
+input PhoneNumberCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `ownerId` field."""
+ ownerId: UUID
+
+ """Checks for equality with the object’s `cc` field."""
+ cc: String
+
+ """Checks for equality with the object’s `number` field."""
+ number: String
+
+ """Checks for equality with the object’s `isVerified` field."""
+ isVerified: Boolean
+
+ """Checks for equality with the object’s `isPrimary` field."""
+ isPrimary: Boolean
+
+ """Checks for equality with the object’s `createdAt` field."""
+ createdAt: Datetime
+
+ """Checks for equality with the object’s `updatedAt` field."""
+ updatedAt: Datetime
+}
+
+"""
+A filter to be used against `PhoneNumber` object types. All fields are combined with a logical ‘and.’
+"""
+input PhoneNumberFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `ownerId` field."""
+ ownerId: UUIDFilter
+
+ """Filter by the object’s `cc` field."""
+ cc: StringFilter
+
+ """Filter by the object’s `number` field."""
+ number: StringFilter
+
+ """Filter by the object’s `isVerified` field."""
+ isVerified: BooleanFilter
+
+ """Filter by the object’s `isPrimary` field."""
+ isPrimary: BooleanFilter
+
+ """Filter by the object’s `createdAt` field."""
+ createdAt: DatetimeFilter
+
+ """Filter by the object’s `updatedAt` field."""
+ updatedAt: DatetimeFilter
+
+ """Checks for all expressions in this list."""
+ and: [PhoneNumberFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [PhoneNumberFilter!]
+
+ """Negates the expression."""
+ not: PhoneNumberFilter
+}
+
+"""A connection to a list of `CryptoAddress` values."""
+type CryptoAddressesConnection {
+ """A list of `CryptoAddress` objects."""
+ nodes: [CryptoAddress!]!
+
+ """
+ A list of edges which contains the `CryptoAddress` and cursor to aid in pagination.
+ """
+ edges: [CryptoAddressesEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `CryptoAddress` you could get from the connection."""
+ totalCount: Int!
+}
+
+type CryptoAddress {
+ id: UUID!
+ ownerId: UUID!
+ address: String!
+ isVerified: Boolean!
+ isPrimary: Boolean!
+ createdAt: Datetime
+ updatedAt: Datetime
+
+ """Reads a single `User` that is related to this `CryptoAddress`."""
+ owner: User
+}
+
+"""A `CryptoAddress` edge in the connection."""
+type CryptoAddressesEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `CryptoAddress` at the end of the edge."""
+ node: CryptoAddress!
+}
+
+"""Methods to use when ordering `CryptoAddress`."""
+enum CryptoAddressesOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ OWNER_ID_ASC
+ OWNER_ID_DESC
+ ADDRESS_ASC
+ ADDRESS_DESC
+ IS_VERIFIED_ASC
+ IS_VERIFIED_DESC
+ IS_PRIMARY_ASC
+ IS_PRIMARY_DESC
+ CREATED_AT_ASC
+ CREATED_AT_DESC
+ UPDATED_AT_ASC
+ UPDATED_AT_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `CryptoAddress` object types. All fields are
+tested for equality and combined with a logical ‘and.’
+"""
+input CryptoAddressCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `ownerId` field."""
+ ownerId: UUID
+
+ """Checks for equality with the object’s `address` field."""
+ address: String
+
+ """Checks for equality with the object’s `isVerified` field."""
+ isVerified: Boolean
+
+ """Checks for equality with the object’s `isPrimary` field."""
+ isPrimary: Boolean
+
+ """Checks for equality with the object’s `createdAt` field."""
+ createdAt: Datetime
+
+ """Checks for equality with the object’s `updatedAt` field."""
+ updatedAt: Datetime
+}
+
+"""
+A filter to be used against `CryptoAddress` object types. All fields are combined with a logical ‘and.’
+"""
+input CryptoAddressFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `ownerId` field."""
+ ownerId: UUIDFilter
+
+ """Filter by the object’s `address` field."""
+ address: StringFilter
+
+ """Filter by the object’s `isVerified` field."""
+ isVerified: BooleanFilter
+
+ """Filter by the object’s `isPrimary` field."""
+ isPrimary: BooleanFilter
+
+ """Filter by the object’s `createdAt` field."""
+ createdAt: DatetimeFilter
+
+ """Filter by the object’s `updatedAt` field."""
+ updatedAt: DatetimeFilter
+
+ """Checks for all expressions in this list."""
+ and: [CryptoAddressFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [CryptoAddressFilter!]
+
+ """Negates the expression."""
+ not: CryptoAddressFilter
+}
+
+"""A connection to a list of `Invite` values."""
+type InvitesConnection {
+ """A list of `Invite` objects."""
+ nodes: [Invite!]!
+
+ """
+ A list of edges which contains the `Invite` and cursor to aid in pagination.
+ """
+ edges: [InvitesEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `Invite` you could get from the connection."""
+ totalCount: Int!
+}
+
+type Invite {
+ id: UUID!
+ email: String
+ senderId: UUID!
+ inviteToken: String!
+ inviteValid: Boolean!
+ inviteLimit: Int!
+ inviteCount: Int!
+ multiple: Boolean!
+ data: JSON
+ expiresAt: Datetime!
+ createdAt: Datetime
+ updatedAt: Datetime
+
+ """Reads a single `User` that is related to this `Invite`."""
+ sender: User
+}
+
+"""A `Invite` edge in the connection."""
+type InvitesEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `Invite` at the end of the edge."""
+ node: Invite!
+}
+
+"""Methods to use when ordering `Invite`."""
+enum InvitesOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ EMAIL_ASC
+ EMAIL_DESC
+ SENDER_ID_ASC
+ SENDER_ID_DESC
+ INVITE_TOKEN_ASC
+ INVITE_TOKEN_DESC
+ INVITE_VALID_ASC
+ INVITE_VALID_DESC
+ INVITE_LIMIT_ASC
+ INVITE_LIMIT_DESC
+ INVITE_COUNT_ASC
+ INVITE_COUNT_DESC
+ MULTIPLE_ASC
+ MULTIPLE_DESC
+ DATA_ASC
+ DATA_DESC
+ EXPIRES_AT_ASC
+ EXPIRES_AT_DESC
+ CREATED_AT_ASC
+ CREATED_AT_DESC
+ UPDATED_AT_ASC
+ UPDATED_AT_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `Invite` object types. All fields are tested for equality and combined with a logical ‘and.’
+"""
+input InviteCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `email` field."""
+ email: String
+
+ """Checks for equality with the object’s `senderId` field."""
+ senderId: UUID
+
+ """Checks for equality with the object’s `inviteToken` field."""
+ inviteToken: String
+
+ """Checks for equality with the object’s `inviteValid` field."""
+ inviteValid: Boolean
+
+ """Checks for equality with the object’s `inviteLimit` field."""
+ inviteLimit: Int
+
+ """Checks for equality with the object’s `inviteCount` field."""
+ inviteCount: Int
+
+ """Checks for equality with the object’s `multiple` field."""
+ multiple: Boolean
+
+ """Checks for equality with the object’s `data` field."""
+ data: JSON
+
+ """Checks for equality with the object’s `expiresAt` field."""
+ expiresAt: Datetime
+
+ """Checks for equality with the object’s `createdAt` field."""
+ createdAt: Datetime
+
+ """Checks for equality with the object’s `updatedAt` field."""
+ updatedAt: Datetime
+}
+
+"""
+A filter to be used against `Invite` object types. All fields are combined with a logical ‘and.’
+"""
+input InviteFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `email` field."""
+ email: StringFilter
+
+ """Filter by the object’s `senderId` field."""
+ senderId: UUIDFilter
+
+ """Filter by the object’s `inviteToken` field."""
+ inviteToken: StringFilter
+
+ """Filter by the object’s `inviteValid` field."""
+ inviteValid: BooleanFilter
+
+ """Filter by the object’s `inviteLimit` field."""
+ inviteLimit: IntFilter
+
+ """Filter by the object’s `inviteCount` field."""
+ inviteCount: IntFilter
+
+ """Filter by the object’s `multiple` field."""
+ multiple: BooleanFilter
+
+ """Filter by the object’s `expiresAt` field."""
+ expiresAt: DatetimeFilter
+
+ """Filter by the object’s `createdAt` field."""
+ createdAt: DatetimeFilter
+
+ """Filter by the object’s `updatedAt` field."""
+ updatedAt: DatetimeFilter
+
+ """Checks for all expressions in this list."""
+ and: [InviteFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [InviteFilter!]
+
+ """Negates the expression."""
+ not: InviteFilter
+}
+
+"""A connection to a list of `ClaimedInvite` values."""
+type ClaimedInvitesConnection {
+ """A list of `ClaimedInvite` objects."""
+ nodes: [ClaimedInvite!]!
+
+ """
+ A list of edges which contains the `ClaimedInvite` and cursor to aid in pagination.
+ """
+ edges: [ClaimedInvitesEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `ClaimedInvite` you could get from the connection."""
+ totalCount: Int!
+}
+
+type ClaimedInvite {
+ id: UUID!
+ data: JSON
+ senderId: UUID
+ receiverId: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+
+ """Reads a single `User` that is related to this `ClaimedInvite`."""
+ sender: User
+
+ """Reads a single `User` that is related to this `ClaimedInvite`."""
+ receiver: User
+}
+
+"""A `ClaimedInvite` edge in the connection."""
+type ClaimedInvitesEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `ClaimedInvite` at the end of the edge."""
+ node: ClaimedInvite!
+}
+
+"""Methods to use when ordering `ClaimedInvite`."""
+enum ClaimedInvitesOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ DATA_ASC
+ DATA_DESC
+ SENDER_ID_ASC
+ SENDER_ID_DESC
+ RECEIVER_ID_ASC
+ RECEIVER_ID_DESC
+ CREATED_AT_ASC
+ CREATED_AT_DESC
+ UPDATED_AT_ASC
+ UPDATED_AT_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `ClaimedInvite` object types. All fields are
+tested for equality and combined with a logical ‘and.’
+"""
+input ClaimedInviteCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `data` field."""
+ data: JSON
+
+ """Checks for equality with the object’s `senderId` field."""
+ senderId: UUID
+
+ """Checks for equality with the object’s `receiverId` field."""
+ receiverId: UUID
+
+ """Checks for equality with the object’s `createdAt` field."""
+ createdAt: Datetime
+
+ """Checks for equality with the object’s `updatedAt` field."""
+ updatedAt: Datetime
+}
+
+"""
+A filter to be used against `ClaimedInvite` object types. All fields are combined with a logical ‘and.’
+"""
+input ClaimedInviteFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `senderId` field."""
+ senderId: UUIDFilter
+
+ """Filter by the object’s `receiverId` field."""
+ receiverId: UUIDFilter
+
+ """Filter by the object’s `createdAt` field."""
+ createdAt: DatetimeFilter
+
+ """Filter by the object’s `updatedAt` field."""
+ updatedAt: DatetimeFilter
+
+ """Checks for all expressions in this list."""
+ and: [ClaimedInviteFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [ClaimedInviteFilter!]
+
+ """Negates the expression."""
+ not: ClaimedInviteFilter
+}
+
+"""A connection to a list of `MembershipInvite` values."""
+type MembershipInvitesConnection {
+ """A list of `MembershipInvite` objects."""
+ nodes: [MembershipInvite!]!
+
+ """
+ A list of edges which contains the `MembershipInvite` and cursor to aid in pagination.
+ """
+ edges: [MembershipInvitesEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """
+ The count of *all* `MembershipInvite` you could get from the connection.
+ """
+ totalCount: Int!
+}
+
+type MembershipInvite {
+ id: UUID!
+ email: String
+ senderId: UUID!
+ receiverId: UUID
+ inviteToken: String!
+ inviteValid: Boolean!
+ inviteLimit: Int!
+ inviteCount: Int!
+ multiple: Boolean!
+ data: JSON
+ expiresAt: Datetime!
+ createdAt: Datetime
+ updatedAt: Datetime
+ entityId: UUID!
+
+ """Reads a single `User` that is related to this `MembershipInvite`."""
+ sender: User
+
+ """Reads a single `User` that is related to this `MembershipInvite`."""
+ receiver: User
+
+ """Reads a single `User` that is related to this `MembershipInvite`."""
+ entity: User
+}
+
+"""A `MembershipInvite` edge in the connection."""
+type MembershipInvitesEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `MembershipInvite` at the end of the edge."""
+ node: MembershipInvite!
+}
+
+"""Methods to use when ordering `MembershipInvite`."""
+enum MembershipInvitesOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ EMAIL_ASC
+ EMAIL_DESC
+ SENDER_ID_ASC
+ SENDER_ID_DESC
+ RECEIVER_ID_ASC
+ RECEIVER_ID_DESC
+ INVITE_TOKEN_ASC
+ INVITE_TOKEN_DESC
+ INVITE_VALID_ASC
+ INVITE_VALID_DESC
+ INVITE_LIMIT_ASC
+ INVITE_LIMIT_DESC
+ INVITE_COUNT_ASC
+ INVITE_COUNT_DESC
+ MULTIPLE_ASC
+ MULTIPLE_DESC
+ DATA_ASC
+ DATA_DESC
+ EXPIRES_AT_ASC
+ EXPIRES_AT_DESC
+ CREATED_AT_ASC
+ CREATED_AT_DESC
+ UPDATED_AT_ASC
+ UPDATED_AT_DESC
+ ENTITY_ID_ASC
+ ENTITY_ID_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `MembershipInvite` object types. All fields are
+tested for equality and combined with a logical ‘and.’
+"""
+input MembershipInviteCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `email` field."""
+ email: String
+
+ """Checks for equality with the object’s `senderId` field."""
+ senderId: UUID
+
+ """Checks for equality with the object’s `receiverId` field."""
+ receiverId: UUID
+
+ """Checks for equality with the object’s `inviteToken` field."""
+ inviteToken: String
+
+ """Checks for equality with the object’s `inviteValid` field."""
+ inviteValid: Boolean
+
+ """Checks for equality with the object’s `inviteLimit` field."""
+ inviteLimit: Int
+
+ """Checks for equality with the object’s `inviteCount` field."""
+ inviteCount: Int
+
+ """Checks for equality with the object’s `multiple` field."""
+ multiple: Boolean
+
+ """Checks for equality with the object’s `data` field."""
+ data: JSON
+
+ """Checks for equality with the object’s `expiresAt` field."""
+ expiresAt: Datetime
+
+ """Checks for equality with the object’s `createdAt` field."""
+ createdAt: Datetime
+
+ """Checks for equality with the object’s `updatedAt` field."""
+ updatedAt: Datetime
+
+ """Checks for equality with the object’s `entityId` field."""
+ entityId: UUID
+}
+
+"""
+A filter to be used against `MembershipInvite` object types. All fields are combined with a logical ‘and.’
+"""
+input MembershipInviteFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `email` field."""
+ email: StringFilter
+
+ """Filter by the object’s `senderId` field."""
+ senderId: UUIDFilter
+
+ """Filter by the object’s `receiverId` field."""
+ receiverId: UUIDFilter
+
+ """Filter by the object’s `inviteToken` field."""
+ inviteToken: StringFilter
+
+ """Filter by the object’s `inviteValid` field."""
+ inviteValid: BooleanFilter
+
+ """Filter by the object’s `inviteLimit` field."""
+ inviteLimit: IntFilter
+
+ """Filter by the object’s `inviteCount` field."""
+ inviteCount: IntFilter
+
+ """Filter by the object’s `multiple` field."""
+ multiple: BooleanFilter
+
+ """Filter by the object’s `expiresAt` field."""
+ expiresAt: DatetimeFilter
+
+ """Filter by the object’s `createdAt` field."""
+ createdAt: DatetimeFilter
+
+ """Filter by the object’s `updatedAt` field."""
+ updatedAt: DatetimeFilter
+
+ """Filter by the object’s `entityId` field."""
+ entityId: UUIDFilter
+
+ """Checks for all expressions in this list."""
+ and: [MembershipInviteFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [MembershipInviteFilter!]
+
+ """Negates the expression."""
+ not: MembershipInviteFilter
+}
+
+"""A connection to a list of `MembershipClaimedInvite` values."""
+type MembershipClaimedInvitesConnection {
+ """A list of `MembershipClaimedInvite` objects."""
+ nodes: [MembershipClaimedInvite!]!
+
+ """
+ A list of edges which contains the `MembershipClaimedInvite` and cursor to aid in pagination.
+ """
+ edges: [MembershipClaimedInvitesEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """
+ The count of *all* `MembershipClaimedInvite` you could get from the connection.
+ """
+ totalCount: Int!
+}
+
+type MembershipClaimedInvite {
+ id: UUID!
+ data: JSON
+ senderId: UUID
+ receiverId: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+ entityId: UUID!
+
+ """
+ Reads a single `User` that is related to this `MembershipClaimedInvite`.
+ """
+ sender: User
+
+ """
+ Reads a single `User` that is related to this `MembershipClaimedInvite`.
+ """
+ receiver: User
+
+ """
+ Reads a single `User` that is related to this `MembershipClaimedInvite`.
+ """
+ entity: User
+}
+
+"""A `MembershipClaimedInvite` edge in the connection."""
+type MembershipClaimedInvitesEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `MembershipClaimedInvite` at the end of the edge."""
+ node: MembershipClaimedInvite!
+}
+
+"""Methods to use when ordering `MembershipClaimedInvite`."""
+enum MembershipClaimedInvitesOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ DATA_ASC
+ DATA_DESC
+ SENDER_ID_ASC
+ SENDER_ID_DESC
+ RECEIVER_ID_ASC
+ RECEIVER_ID_DESC
+ CREATED_AT_ASC
+ CREATED_AT_DESC
+ UPDATED_AT_ASC
+ UPDATED_AT_DESC
+ ENTITY_ID_ASC
+ ENTITY_ID_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `MembershipClaimedInvite` object types. All
+fields are tested for equality and combined with a logical ‘and.’
+"""
+input MembershipClaimedInviteCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `data` field."""
+ data: JSON
+
+ """Checks for equality with the object’s `senderId` field."""
+ senderId: UUID
+
+ """Checks for equality with the object’s `receiverId` field."""
+ receiverId: UUID
+
+ """Checks for equality with the object’s `createdAt` field."""
+ createdAt: Datetime
+
+ """Checks for equality with the object’s `updatedAt` field."""
+ updatedAt: Datetime
+
+ """Checks for equality with the object’s `entityId` field."""
+ entityId: UUID
+}
+
+"""
+A filter to be used against `MembershipClaimedInvite` object types. All fields are combined with a logical ‘and.’
+"""
+input MembershipClaimedInviteFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `senderId` field."""
+ senderId: UUIDFilter
+
+ """Filter by the object’s `receiverId` field."""
+ receiverId: UUIDFilter
+
+ """Filter by the object’s `createdAt` field."""
+ createdAt: DatetimeFilter
+
+ """Filter by the object’s `updatedAt` field."""
+ updatedAt: DatetimeFilter
+
+ """Filter by the object’s `entityId` field."""
+ entityId: UUIDFilter
+
+ """Checks for all expressions in this list."""
+ and: [MembershipClaimedInviteFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [MembershipClaimedInviteFilter!]
+
+ """Negates the expression."""
+ not: MembershipClaimedInviteFilter
+}
+
+"""A connection to a list of `AuditLog` values."""
+type AuditLogsConnection {
+ """A list of `AuditLog` objects."""
+ nodes: [AuditLog!]!
+
+ """
+ A list of edges which contains the `AuditLog` and cursor to aid in pagination.
+ """
+ edges: [AuditLogsEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `AuditLog` you could get from the connection."""
+ totalCount: Int!
+}
+
+type AuditLog {
+ id: UUID!
+ event: String!
+ actorId: UUID!
+ origin: String
+ userAgent: String
+ ipAddress: InternetAddress
+ success: Boolean!
+ createdAt: Datetime!
+
+ """Reads a single `User` that is related to this `AuditLog`."""
+ actor: User
+}
+
+"""An IPv4 or IPv6 host address, and optionally its subnet."""
+scalar InternetAddress
+
+"""A `AuditLog` edge in the connection."""
+type AuditLogsEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `AuditLog` at the end of the edge."""
+ node: AuditLog!
+}
+
+"""Methods to use when ordering `AuditLog`."""
+enum AuditLogsOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ EVENT_ASC
+ EVENT_DESC
+ ACTOR_ID_ASC
+ ACTOR_ID_DESC
+ ORIGIN_ASC
+ ORIGIN_DESC
+ USER_AGENT_ASC
+ USER_AGENT_DESC
+ IP_ADDRESS_ASC
+ IP_ADDRESS_DESC
+ SUCCESS_ASC
+ SUCCESS_DESC
+ CREATED_AT_ASC
+ CREATED_AT_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `AuditLog` object types. All fields are tested
+for equality and combined with a logical ‘and.’
+"""
+input AuditLogCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `event` field."""
+ event: String
+
+ """Checks for equality with the object’s `actorId` field."""
+ actorId: UUID
+
+ """Checks for equality with the object’s `origin` field."""
+ origin: String
+
+ """Checks for equality with the object’s `userAgent` field."""
+ userAgent: String
+
+ """Checks for equality with the object’s `ipAddress` field."""
+ ipAddress: InternetAddress
+
+ """Checks for equality with the object’s `success` field."""
+ success: Boolean
+
+ """Checks for equality with the object’s `createdAt` field."""
+ createdAt: Datetime
+}
+
+"""
+A filter to be used against `AuditLog` object types. All fields are combined with a logical ‘and.’
+"""
+input AuditLogFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `event` field."""
+ event: StringFilter
+
+ """Filter by the object’s `actorId` field."""
+ actorId: UUIDFilter
+
+ """Filter by the object’s `origin` field."""
+ origin: StringFilter
+
+ """Filter by the object’s `userAgent` field."""
+ userAgent: StringFilter
+
+ """Filter by the object’s `ipAddress` field."""
+ ipAddress: InternetAddressFilter
+
+ """Filter by the object’s `success` field."""
+ success: BooleanFilter
+
+ """Filter by the object’s `createdAt` field."""
+ createdAt: DatetimeFilter
+
+ """Checks for all expressions in this list."""
+ and: [AuditLogFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [AuditLogFilter!]
+
+ """Negates the expression."""
+ not: AuditLogFilter
+}
+
+"""
+A filter to be used against InternetAddress fields. All fields are combined with a logical ‘and.’
+"""
+input InternetAddressFilter {
+ """
+ Is null (if `true` is specified) or is not null (if `false` is specified).
+ """
+ isNull: Boolean
+
+ """Equal to the specified value."""
+ equalTo: InternetAddress
+
+ """Not equal to the specified value."""
+ notEqualTo: InternetAddress
+
+ """
+ Not equal to the specified value, treating null like an ordinary value.
+ """
+ distinctFrom: InternetAddress
+
+ """Equal to the specified value, treating null like an ordinary value."""
+ notDistinctFrom: InternetAddress
+
+ """Included in the specified list."""
+ in: [InternetAddress!]
+
+ """Not included in the specified list."""
+ notIn: [InternetAddress!]
+
+ """Less than the specified value."""
+ lessThan: InternetAddress
+
+ """Less than or equal to the specified value."""
+ lessThanOrEqualTo: InternetAddress
+
+ """Greater than the specified value."""
+ greaterThan: InternetAddress
+
+ """Greater than or equal to the specified value."""
+ greaterThanOrEqualTo: InternetAddress
+
+ """Contains the specified internet address."""
+ contains: InternetAddress
+
+ """Contains or equal to the specified internet address."""
+ containsOrEqualTo: InternetAddress
+
+ """Contained by the specified internet address."""
+ containedBy: InternetAddress
+
+ """Contained by or equal to the specified internet address."""
+ containedByOrEqualTo: InternetAddress
+
+ """Contains or contained by the specified internet address."""
+ containsOrContainedBy: InternetAddress
+}
+
+"""Methods to use when ordering `Product`."""
+enum ProductsOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ NAME_ASC
+ NAME_DESC
+ DESCRIPTION_ASC
+ DESCRIPTION_DESC
+ PRICE_ASC
+ PRICE_DESC
+ COMPARE_AT_PRICE_ASC
+ COMPARE_AT_PRICE_DESC
+ SKU_ASC
+ SKU_DESC
+ INVENTORY_QUANTITY_ASC
+ INVENTORY_QUANTITY_DESC
+ WEIGHT_ASC
+ WEIGHT_DESC
+ DIMENSIONS_ASC
+ DIMENSIONS_DESC
+ IS_ACTIVE_ASC
+ IS_ACTIVE_DESC
+ IS_FEATURED_ASC
+ IS_FEATURED_DESC
+ TAGS_ASC
+ TAGS_DESC
+ IMAGE_URLS_ASC
+ IMAGE_URLS_DESC
+ CREATED_AT_ASC
+ CREATED_AT_DESC
+ UPDATED_AT_ASC
+ UPDATED_AT_DESC
+ SELLER_ID_ASC
+ SELLER_ID_DESC
+ CATEGORY_ID_ASC
+ CATEGORY_ID_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `Product` object types. All fields are tested for equality and combined with a logical ‘and.’
+"""
+input ProductCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `name` field."""
+ name: String
+
+ """Checks for equality with the object’s `description` field."""
+ description: String
+
+ """Checks for equality with the object’s `price` field."""
+ price: BigFloat
+
+ """Checks for equality with the object’s `compareAtPrice` field."""
+ compareAtPrice: BigFloat
+
+ """Checks for equality with the object’s `sku` field."""
+ sku: String
+
+ """Checks for equality with the object’s `inventoryQuantity` field."""
+ inventoryQuantity: Int
+
+ """Checks for equality with the object’s `weight` field."""
+ weight: BigFloat
+
+ """Checks for equality with the object’s `dimensions` field."""
+ dimensions: String
+
+ """Checks for equality with the object’s `isActive` field."""
+ isActive: Boolean
+
+ """Checks for equality with the object’s `isFeatured` field."""
+ isFeatured: Boolean
+
+ """Checks for equality with the object’s `tags` field."""
+ tags: String
+
+ """Checks for equality with the object’s `imageUrls` field."""
+ imageUrls: String
+
+ """Checks for equality with the object’s `createdAt` field."""
+ createdAt: Datetime
+
+ """Checks for equality with the object’s `updatedAt` field."""
+ updatedAt: Datetime
+
+ """Checks for equality with the object’s `sellerId` field."""
+ sellerId: UUID
+
+ """Checks for equality with the object’s `categoryId` field."""
+ categoryId: UUID
+}
+
+"""
+A filter to be used against `Product` object types. All fields are combined with a logical ‘and.’
+"""
+input ProductFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `name` field."""
+ name: StringFilter
+
+ """Filter by the object’s `description` field."""
+ description: StringFilter
+
+ """Filter by the object’s `price` field."""
+ price: BigFloatFilter
+
+ """Filter by the object’s `compareAtPrice` field."""
+ compareAtPrice: BigFloatFilter
+
+ """Filter by the object’s `sku` field."""
+ sku: StringFilter
+
+ """Filter by the object’s `inventoryQuantity` field."""
+ inventoryQuantity: IntFilter
+
+ """Filter by the object’s `weight` field."""
+ weight: BigFloatFilter
+
+ """Filter by the object’s `dimensions` field."""
+ dimensions: StringFilter
+
+ """Filter by the object’s `isActive` field."""
+ isActive: BooleanFilter
+
+ """Filter by the object’s `isFeatured` field."""
+ isFeatured: BooleanFilter
+
+ """Filter by the object’s `tags` field."""
+ tags: StringFilter
+
+ """Filter by the object’s `imageUrls` field."""
+ imageUrls: StringFilter
+
+ """Filter by the object’s `createdAt` field."""
+ createdAt: DatetimeFilter
+
+ """Filter by the object’s `updatedAt` field."""
+ updatedAt: DatetimeFilter
+
+ """Filter by the object’s `sellerId` field."""
+ sellerId: UUIDFilter
+
+ """Filter by the object’s `categoryId` field."""
+ categoryId: UUIDFilter
+
+ """Checks for all expressions in this list."""
+ and: [ProductFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [ProductFilter!]
+
+ """Negates the expression."""
+ not: ProductFilter
+}
+
+"""
+A filter to be used against BigFloat fields. All fields are combined with a logical ‘and.’
+"""
+input BigFloatFilter {
+ """
+ Is null (if `true` is specified) or is not null (if `false` is specified).
+ """
+ isNull: Boolean
+
+ """Equal to the specified value."""
+ equalTo: BigFloat
+
+ """Not equal to the specified value."""
+ notEqualTo: BigFloat
+
+ """
+ Not equal to the specified value, treating null like an ordinary value.
+ """
+ distinctFrom: BigFloat
+
+ """Equal to the specified value, treating null like an ordinary value."""
+ notDistinctFrom: BigFloat
+
+ """Included in the specified list."""
+ in: [BigFloat!]
+
+ """Not included in the specified list."""
+ notIn: [BigFloat!]
+
+ """Less than the specified value."""
+ lessThan: BigFloat
+
+ """Less than or equal to the specified value."""
+ lessThanOrEqualTo: BigFloat
+
+ """Greater than the specified value."""
+ greaterThan: BigFloat
+
+ """Greater than or equal to the specified value."""
+ greaterThanOrEqualTo: BigFloat
+}
+
+"""A connection to a list of `Order` values."""
+type OrdersConnection {
+ """A list of `Order` objects."""
+ nodes: [Order!]!
+
+ """
+ A list of edges which contains the `Order` and cursor to aid in pagination.
+ """
+ edges: [OrdersEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `Order` you could get from the connection."""
+ totalCount: Int!
+}
+
+type Order {
+ id: UUID!
+ orderNumber: String!
+ status: String!
+ totalAmount: BigFloat!
+ shippingAmount: BigFloat
+ taxAmount: BigFloat
+ notes: String
+ shippedAt: Datetime
+ deliveredAt: Datetime
+ createdAt: Datetime
+ updatedAt: Datetime
+ customerId: UUID!
+
+ """Reads a single `User` that is related to this `Order`."""
+ customer: User
+
+ """Reads and enables pagination through a set of `OrderItem`."""
+ orderItems(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `OrderItem`."""
+ orderBy: [OrderItemsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: OrderItemCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: OrderItemFilter
+ ): OrderItemsConnection!
+
+ """Reads and enables pagination through a set of `Product`."""
+ productsByOrderItemOrderIdAndProductId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `Product`."""
+ orderBy: [ProductsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: ProductCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: ProductFilter
+ ): OrderProductsByOrderItemOrderIdAndProductIdManyToManyConnection!
+}
+
+"""A connection to a list of `OrderItem` values."""
+type OrderItemsConnection {
+ """A list of `OrderItem` objects."""
+ nodes: [OrderItem!]!
+
+ """
+ A list of edges which contains the `OrderItem` and cursor to aid in pagination.
+ """
+ edges: [OrderItemsEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `OrderItem` you could get from the connection."""
+ totalCount: Int!
+}
+
+type OrderItem {
+ id: UUID!
+ quantity: Int!
+ unitPrice: BigFloat!
+ totalPrice: BigFloat!
+ orderId: UUID!
+ productId: UUID!
+
+ """Reads a single `Order` that is related to this `OrderItem`."""
+ order: Order
+
+ """Reads a single `Product` that is related to this `OrderItem`."""
+ product: Product
+}
+
+"""A `OrderItem` edge in the connection."""
+type OrderItemsEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `OrderItem` at the end of the edge."""
+ node: OrderItem!
+}
+
+"""Methods to use when ordering `OrderItem`."""
+enum OrderItemsOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ QUANTITY_ASC
+ QUANTITY_DESC
+ UNIT_PRICE_ASC
+ UNIT_PRICE_DESC
+ TOTAL_PRICE_ASC
+ TOTAL_PRICE_DESC
+ ORDER_ID_ASC
+ ORDER_ID_DESC
+ PRODUCT_ID_ASC
+ PRODUCT_ID_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `OrderItem` object types. All fields are tested
+for equality and combined with a logical ‘and.’
+"""
+input OrderItemCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `quantity` field."""
+ quantity: Int
+
+ """Checks for equality with the object’s `unitPrice` field."""
+ unitPrice: BigFloat
+
+ """Checks for equality with the object’s `totalPrice` field."""
+ totalPrice: BigFloat
+
+ """Checks for equality with the object’s `orderId` field."""
+ orderId: UUID
+
+ """Checks for equality with the object’s `productId` field."""
+ productId: UUID
+}
+
+"""
+A filter to be used against `OrderItem` object types. All fields are combined with a logical ‘and.’
+"""
+input OrderItemFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `quantity` field."""
+ quantity: IntFilter
+
+ """Filter by the object’s `unitPrice` field."""
+ unitPrice: BigFloatFilter
+
+ """Filter by the object’s `totalPrice` field."""
+ totalPrice: BigFloatFilter
+
+ """Filter by the object’s `orderId` field."""
+ orderId: UUIDFilter
+
+ """Filter by the object’s `productId` field."""
+ productId: UUIDFilter
+
+ """Checks for all expressions in this list."""
+ and: [OrderItemFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [OrderItemFilter!]
+
+ """Negates the expression."""
+ not: OrderItemFilter
+}
+
+"""
+A connection to a list of `Product` values, with data from `OrderItem`.
+"""
+type OrderProductsByOrderItemOrderIdAndProductIdManyToManyConnection {
+ """A list of `Product` objects."""
+ nodes: [Product!]!
+
+ """
+ A list of edges which contains the `Product`, info from the `OrderItem`, and the cursor to aid in pagination.
+ """
+ edges: [OrderProductsByOrderItemOrderIdAndProductIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `Product` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `Product` edge in the connection, with data from `OrderItem`."""
+type OrderProductsByOrderItemOrderIdAndProductIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `Product` at the end of the edge."""
+ node: Product!
+
+ """Reads and enables pagination through a set of `OrderItem`."""
+ orderItems(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `OrderItem`."""
+ orderBy: [OrderItemsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: OrderItemCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: OrderItemFilter
+ ): OrderItemsConnection!
+}
+
+"""A `Order` edge in the connection."""
+type OrdersEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `Order` at the end of the edge."""
+ node: Order!
+}
+
+"""Methods to use when ordering `Order`."""
+enum OrdersOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ ORDER_NUMBER_ASC
+ ORDER_NUMBER_DESC
+ STATUS_ASC
+ STATUS_DESC
+ TOTAL_AMOUNT_ASC
+ TOTAL_AMOUNT_DESC
+ SHIPPING_AMOUNT_ASC
+ SHIPPING_AMOUNT_DESC
+ TAX_AMOUNT_ASC
+ TAX_AMOUNT_DESC
+ NOTES_ASC
+ NOTES_DESC
+ SHIPPED_AT_ASC
+ SHIPPED_AT_DESC
+ DELIVERED_AT_ASC
+ DELIVERED_AT_DESC
+ CREATED_AT_ASC
+ CREATED_AT_DESC
+ UPDATED_AT_ASC
+ UPDATED_AT_DESC
+ CUSTOMER_ID_ASC
+ CUSTOMER_ID_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `Order` object types. All fields are tested for equality and combined with a logical ‘and.’
+"""
+input OrderCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `orderNumber` field."""
+ orderNumber: String
+
+ """Checks for equality with the object’s `status` field."""
+ status: String
+
+ """Checks for equality with the object’s `totalAmount` field."""
+ totalAmount: BigFloat
+
+ """Checks for equality with the object’s `shippingAmount` field."""
+ shippingAmount: BigFloat
+
+ """Checks for equality with the object’s `taxAmount` field."""
+ taxAmount: BigFloat
+
+ """Checks for equality with the object’s `notes` field."""
+ notes: String
+
+ """Checks for equality with the object’s `shippedAt` field."""
+ shippedAt: Datetime
+
+ """Checks for equality with the object’s `deliveredAt` field."""
+ deliveredAt: Datetime
+
+ """Checks for equality with the object’s `createdAt` field."""
+ createdAt: Datetime
+
+ """Checks for equality with the object’s `updatedAt` field."""
+ updatedAt: Datetime
+
+ """Checks for equality with the object’s `customerId` field."""
+ customerId: UUID
+}
+
+"""
+A filter to be used against `Order` object types. All fields are combined with a logical ‘and.’
+"""
+input OrderFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `orderNumber` field."""
+ orderNumber: StringFilter
+
+ """Filter by the object’s `status` field."""
+ status: StringFilter
+
+ """Filter by the object’s `totalAmount` field."""
+ totalAmount: BigFloatFilter
+
+ """Filter by the object’s `shippingAmount` field."""
+ shippingAmount: BigFloatFilter
+
+ """Filter by the object’s `taxAmount` field."""
+ taxAmount: BigFloatFilter
+
+ """Filter by the object’s `notes` field."""
+ notes: StringFilter
+
+ """Filter by the object’s `shippedAt` field."""
+ shippedAt: DatetimeFilter
+
+ """Filter by the object’s `deliveredAt` field."""
+ deliveredAt: DatetimeFilter
+
+ """Filter by the object’s `createdAt` field."""
+ createdAt: DatetimeFilter
+
+ """Filter by the object’s `updatedAt` field."""
+ updatedAt: DatetimeFilter
+
+ """Filter by the object’s `customerId` field."""
+ customerId: UUIDFilter
+
+ """Checks for all expressions in this list."""
+ and: [OrderFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [OrderFilter!]
+
+ """Negates the expression."""
+ not: OrderFilter
+}
+
+"""A connection to a list of `Review` values."""
+type ReviewsConnection {
+ """A list of `Review` objects."""
+ nodes: [Review!]!
+
+ """
+ A list of edges which contains the `Review` and cursor to aid in pagination.
+ """
+ edges: [ReviewsEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `Review` you could get from the connection."""
+ totalCount: Int!
+}
+
+type Review {
+ id: UUID!
+ rating: Int!
+ title: String
+ comment: String
+ isVerifiedPurchase: Boolean
+ createdAt: Datetime
+ userId: UUID!
+ productId: UUID!
+
+ """Reads a single `User` that is related to this `Review`."""
+ user: User
+
+ """Reads a single `Product` that is related to this `Review`."""
+ product: Product
+}
+
+"""A `Review` edge in the connection."""
+type ReviewsEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `Review` at the end of the edge."""
+ node: Review!
+}
+
+"""Methods to use when ordering `Review`."""
+enum ReviewsOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ RATING_ASC
+ RATING_DESC
+ TITLE_ASC
+ TITLE_DESC
+ COMMENT_ASC
+ COMMENT_DESC
+ IS_VERIFIED_PURCHASE_ASC
+ IS_VERIFIED_PURCHASE_DESC
+ CREATED_AT_ASC
+ CREATED_AT_DESC
+ USER_ID_ASC
+ USER_ID_DESC
+ PRODUCT_ID_ASC
+ PRODUCT_ID_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `Review` object types. All fields are tested for equality and combined with a logical ‘and.’
+"""
+input ReviewCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `rating` field."""
+ rating: Int
+
+ """Checks for equality with the object’s `title` field."""
+ title: String
+
+ """Checks for equality with the object’s `comment` field."""
+ comment: String
+
+ """Checks for equality with the object’s `isVerifiedPurchase` field."""
+ isVerifiedPurchase: Boolean
+
+ """Checks for equality with the object’s `createdAt` field."""
+ createdAt: Datetime
+
+ """Checks for equality with the object’s `userId` field."""
+ userId: UUID
+
+ """Checks for equality with the object’s `productId` field."""
+ productId: UUID
+}
+
+"""
+A filter to be used against `Review` object types. All fields are combined with a logical ‘and.’
+"""
+input ReviewFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `rating` field."""
+ rating: IntFilter
+
+ """Filter by the object’s `title` field."""
+ title: StringFilter
+
+ """Filter by the object’s `comment` field."""
+ comment: StringFilter
+
+ """Filter by the object’s `isVerifiedPurchase` field."""
+ isVerifiedPurchase: BooleanFilter
+
+ """Filter by the object’s `createdAt` field."""
+ createdAt: DatetimeFilter
+
+ """Filter by the object’s `userId` field."""
+ userId: UUIDFilter
+
+ """Filter by the object’s `productId` field."""
+ productId: UUIDFilter
+
+ """Checks for all expressions in this list."""
+ and: [ReviewFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [ReviewFilter!]
+
+ """Negates the expression."""
+ not: ReviewFilter
+}
+
+"""
+A connection to a list of `User` values, with data from `AppAdminGrant`.
+"""
+type UserUsersByAppAdminGrantActorIdAndGrantorIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `AppAdminGrant`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByAppAdminGrantActorIdAndGrantorIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `User` edge in the connection, with data from `AppAdminGrant`."""
+type UserUsersByAppAdminGrantActorIdAndGrantorIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `AppAdminGrant`."""
+ appAdminGrantsByGrantorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `AppAdminGrant`."""
+ orderBy: [AppAdminGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: AppAdminGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AppAdminGrantFilter
+ ): AppAdminGrantsConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `AppAdminGrant`.
+"""
+type UserUsersByAppAdminGrantGrantorIdAndActorIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `AppAdminGrant`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByAppAdminGrantGrantorIdAndActorIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `User` edge in the connection, with data from `AppAdminGrant`."""
+type UserUsersByAppAdminGrantGrantorIdAndActorIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `AppAdminGrant`."""
+ appAdminGrantsByActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `AppAdminGrant`."""
+ orderBy: [AppAdminGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: AppAdminGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AppAdminGrantFilter
+ ): AppAdminGrantsConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `AppOwnerGrant`.
+"""
+type UserUsersByAppOwnerGrantActorIdAndGrantorIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `AppOwnerGrant`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByAppOwnerGrantActorIdAndGrantorIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `User` edge in the connection, with data from `AppOwnerGrant`."""
+type UserUsersByAppOwnerGrantActorIdAndGrantorIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `AppOwnerGrant`."""
+ appOwnerGrantsByGrantorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `AppOwnerGrant`."""
+ orderBy: [AppOwnerGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: AppOwnerGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AppOwnerGrantFilter
+ ): AppOwnerGrantsConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `AppOwnerGrant`.
+"""
+type UserUsersByAppOwnerGrantGrantorIdAndActorIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `AppOwnerGrant`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByAppOwnerGrantGrantorIdAndActorIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `User` edge in the connection, with data from `AppOwnerGrant`."""
+type UserUsersByAppOwnerGrantGrantorIdAndActorIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `AppOwnerGrant`."""
+ appOwnerGrantsByActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `AppOwnerGrant`."""
+ orderBy: [AppOwnerGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: AppOwnerGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AppOwnerGrantFilter
+ ): AppOwnerGrantsConnection!
+}
+
+"""A connection to a list of `User` values, with data from `AppGrant`."""
+type UserUsersByAppGrantActorIdAndGrantorIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `AppGrant`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByAppGrantActorIdAndGrantorIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `User` edge in the connection, with data from `AppGrant`."""
+type UserUsersByAppGrantActorIdAndGrantorIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `AppGrant`."""
+ appGrantsByGrantorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `AppGrant`."""
+ orderBy: [AppGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: AppGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AppGrantFilter
+ ): AppGrantsConnection!
+}
+
+"""A connection to a list of `User` values, with data from `AppGrant`."""
+type UserUsersByAppGrantGrantorIdAndActorIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `AppGrant`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByAppGrantGrantorIdAndActorIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `User` edge in the connection, with data from `AppGrant`."""
+type UserUsersByAppGrantGrantorIdAndActorIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `AppGrant`."""
+ appGrantsByActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `AppGrant`."""
+ orderBy: [AppGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: AppGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: AppGrantFilter
+ ): AppGrantsConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipLimit`.
+"""
+type UserUsersByMembershipLimitActorIdAndEntityIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipLimit`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipLimitActorIdAndEntityIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `User` edge in the connection, with data from `MembershipLimit`."""
+type UserUsersByMembershipLimitActorIdAndEntityIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `MembershipLimit`."""
+ membershipLimitsByEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipLimit`."""
+ orderBy: [MembershipLimitsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipLimitCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipLimitFilter
+ ): MembershipLimitsConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipLimit`.
+"""
+type UserUsersByMembershipLimitEntityIdAndActorIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipLimit`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipLimitEntityIdAndActorIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `User` edge in the connection, with data from `MembershipLimit`."""
+type UserUsersByMembershipLimitEntityIdAndActorIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `MembershipLimit`."""
+ membershipLimitsByActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipLimit`."""
+ orderBy: [MembershipLimitsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipLimitCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipLimitFilter
+ ): MembershipLimitsConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipMembership`.
+"""
+type UserUsersByMembershipMembershipActorIdAndEntityIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipMembership`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipMembershipActorIdAndEntityIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""
+A `User` edge in the connection, with data from `MembershipMembership`.
+"""
+type UserUsersByMembershipMembershipActorIdAndEntityIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+ id: UUID!
+ createdAt: Datetime
+ updatedAt: Datetime
+ createdBy: UUID
+ updatedBy: UUID
+ isApproved: Boolean!
+ isBanned: Boolean!
+ isDisabled: Boolean!
+ isActive: Boolean!
+ isOwner: Boolean!
+ isAdmin: Boolean!
+ permissions: BitString!
+ granted: BitString!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipMembership`.
+"""
+type UserUsersByMembershipMembershipEntityIdAndActorIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipMembership`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipMembershipEntityIdAndActorIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""
+A `User` edge in the connection, with data from `MembershipMembership`.
+"""
+type UserUsersByMembershipMembershipEntityIdAndActorIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+ id: UUID!
+ createdAt: Datetime
+ updatedAt: Datetime
+ createdBy: UUID
+ updatedBy: UUID
+ isApproved: Boolean!
+ isBanned: Boolean!
+ isDisabled: Boolean!
+ isActive: Boolean!
+ isOwner: Boolean!
+ isAdmin: Boolean!
+ permissions: BitString!
+ granted: BitString!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipMember`.
+"""
+type UserUsersByMembershipMemberActorIdAndEntityIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipMember`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipMemberActorIdAndEntityIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `User` edge in the connection, with data from `MembershipMember`."""
+type UserUsersByMembershipMemberActorIdAndEntityIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+ id: UUID!
+ isAdmin: Boolean!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipMember`.
+"""
+type UserUsersByMembershipMemberEntityIdAndActorIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipMember`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipMemberEntityIdAndActorIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `User` edge in the connection, with data from `MembershipMember`."""
+type UserUsersByMembershipMemberEntityIdAndActorIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+ id: UUID!
+ isAdmin: Boolean!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipAdminGrant`.
+"""
+type UserUsersByMembershipAdminGrantActorIdAndEntityIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipAdminGrant`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipAdminGrantActorIdAndEntityIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""
+A `User` edge in the connection, with data from `MembershipAdminGrant`.
+"""
+type UserUsersByMembershipAdminGrantActorIdAndEntityIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `MembershipAdminGrant`."""
+ membershipAdminGrantsByEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipAdminGrant`."""
+ orderBy: [MembershipAdminGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipAdminGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipAdminGrantFilter
+ ): MembershipAdminGrantsConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipAdminGrant`.
+"""
+type UserUsersByMembershipAdminGrantActorIdAndGrantorIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipAdminGrant`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipAdminGrantActorIdAndGrantorIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""
+A `User` edge in the connection, with data from `MembershipAdminGrant`.
+"""
+type UserUsersByMembershipAdminGrantActorIdAndGrantorIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `MembershipAdminGrant`."""
+ membershipAdminGrantsByGrantorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipAdminGrant`."""
+ orderBy: [MembershipAdminGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipAdminGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipAdminGrantFilter
+ ): MembershipAdminGrantsConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipAdminGrant`.
+"""
+type UserUsersByMembershipAdminGrantEntityIdAndActorIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipAdminGrant`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipAdminGrantEntityIdAndActorIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""
+A `User` edge in the connection, with data from `MembershipAdminGrant`.
+"""
+type UserUsersByMembershipAdminGrantEntityIdAndActorIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `MembershipAdminGrant`."""
+ membershipAdminGrantsByActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipAdminGrant`."""
+ orderBy: [MembershipAdminGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipAdminGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipAdminGrantFilter
+ ): MembershipAdminGrantsConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipAdminGrant`.
+"""
+type UserUsersByMembershipAdminGrantEntityIdAndGrantorIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipAdminGrant`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipAdminGrantEntityIdAndGrantorIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""
+A `User` edge in the connection, with data from `MembershipAdminGrant`.
+"""
+type UserUsersByMembershipAdminGrantEntityIdAndGrantorIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `MembershipAdminGrant`."""
+ membershipAdminGrantsByGrantorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipAdminGrant`."""
+ orderBy: [MembershipAdminGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipAdminGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipAdminGrantFilter
+ ): MembershipAdminGrantsConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipAdminGrant`.
+"""
+type UserUsersByMembershipAdminGrantGrantorIdAndActorIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipAdminGrant`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipAdminGrantGrantorIdAndActorIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""
+A `User` edge in the connection, with data from `MembershipAdminGrant`.
+"""
+type UserUsersByMembershipAdminGrantGrantorIdAndActorIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `MembershipAdminGrant`."""
+ membershipAdminGrantsByActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipAdminGrant`."""
+ orderBy: [MembershipAdminGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipAdminGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipAdminGrantFilter
+ ): MembershipAdminGrantsConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipAdminGrant`.
+"""
+type UserUsersByMembershipAdminGrantGrantorIdAndEntityIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipAdminGrant`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipAdminGrantGrantorIdAndEntityIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""
+A `User` edge in the connection, with data from `MembershipAdminGrant`.
+"""
+type UserUsersByMembershipAdminGrantGrantorIdAndEntityIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `MembershipAdminGrant`."""
+ membershipAdminGrantsByEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipAdminGrant`."""
+ orderBy: [MembershipAdminGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipAdminGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipAdminGrantFilter
+ ): MembershipAdminGrantsConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipOwnerGrant`.
+"""
+type UserUsersByMembershipOwnerGrantActorIdAndEntityIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipOwnerGrant`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipOwnerGrantActorIdAndEntityIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""
+A `User` edge in the connection, with data from `MembershipOwnerGrant`.
+"""
+type UserUsersByMembershipOwnerGrantActorIdAndEntityIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `MembershipOwnerGrant`."""
+ membershipOwnerGrantsByEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipOwnerGrant`."""
+ orderBy: [MembershipOwnerGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipOwnerGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipOwnerGrantFilter
+ ): MembershipOwnerGrantsConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipOwnerGrant`.
+"""
+type UserUsersByMembershipOwnerGrantActorIdAndGrantorIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipOwnerGrant`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipOwnerGrantActorIdAndGrantorIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""
+A `User` edge in the connection, with data from `MembershipOwnerGrant`.
+"""
+type UserUsersByMembershipOwnerGrantActorIdAndGrantorIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `MembershipOwnerGrant`."""
+ membershipOwnerGrantsByGrantorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipOwnerGrant`."""
+ orderBy: [MembershipOwnerGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipOwnerGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipOwnerGrantFilter
+ ): MembershipOwnerGrantsConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipOwnerGrant`.
+"""
+type UserUsersByMembershipOwnerGrantEntityIdAndActorIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipOwnerGrant`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipOwnerGrantEntityIdAndActorIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""
+A `User` edge in the connection, with data from `MembershipOwnerGrant`.
+"""
+type UserUsersByMembershipOwnerGrantEntityIdAndActorIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `MembershipOwnerGrant`."""
+ membershipOwnerGrantsByActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipOwnerGrant`."""
+ orderBy: [MembershipOwnerGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipOwnerGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipOwnerGrantFilter
+ ): MembershipOwnerGrantsConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipOwnerGrant`.
+"""
+type UserUsersByMembershipOwnerGrantEntityIdAndGrantorIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipOwnerGrant`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipOwnerGrantEntityIdAndGrantorIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""
+A `User` edge in the connection, with data from `MembershipOwnerGrant`.
+"""
+type UserUsersByMembershipOwnerGrantEntityIdAndGrantorIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `MembershipOwnerGrant`."""
+ membershipOwnerGrantsByGrantorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipOwnerGrant`."""
+ orderBy: [MembershipOwnerGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipOwnerGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipOwnerGrantFilter
+ ): MembershipOwnerGrantsConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipOwnerGrant`.
+"""
+type UserUsersByMembershipOwnerGrantGrantorIdAndActorIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipOwnerGrant`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipOwnerGrantGrantorIdAndActorIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""
+A `User` edge in the connection, with data from `MembershipOwnerGrant`.
+"""
+type UserUsersByMembershipOwnerGrantGrantorIdAndActorIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `MembershipOwnerGrant`."""
+ membershipOwnerGrantsByActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipOwnerGrant`."""
+ orderBy: [MembershipOwnerGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipOwnerGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipOwnerGrantFilter
+ ): MembershipOwnerGrantsConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipOwnerGrant`.
+"""
+type UserUsersByMembershipOwnerGrantGrantorIdAndEntityIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipOwnerGrant`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipOwnerGrantGrantorIdAndEntityIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""
+A `User` edge in the connection, with data from `MembershipOwnerGrant`.
+"""
+type UserUsersByMembershipOwnerGrantGrantorIdAndEntityIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `MembershipOwnerGrant`."""
+ membershipOwnerGrantsByEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipOwnerGrant`."""
+ orderBy: [MembershipOwnerGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipOwnerGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipOwnerGrantFilter
+ ): MembershipOwnerGrantsConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipGrant`.
+"""
+type UserUsersByMembershipGrantActorIdAndEntityIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipGrant`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipGrantActorIdAndEntityIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `User` edge in the connection, with data from `MembershipGrant`."""
+type UserUsersByMembershipGrantActorIdAndEntityIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `MembershipGrant`."""
+ membershipGrantsByEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipGrant`."""
+ orderBy: [MembershipGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipGrantFilter
+ ): MembershipGrantsConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipGrant`.
+"""
+type UserUsersByMembershipGrantActorIdAndGrantorIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipGrant`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipGrantActorIdAndGrantorIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `User` edge in the connection, with data from `MembershipGrant`."""
+type UserUsersByMembershipGrantActorIdAndGrantorIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `MembershipGrant`."""
+ membershipGrantsByGrantorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipGrant`."""
+ orderBy: [MembershipGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipGrantFilter
+ ): MembershipGrantsConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipGrant`.
+"""
+type UserUsersByMembershipGrantEntityIdAndActorIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipGrant`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipGrantEntityIdAndActorIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `User` edge in the connection, with data from `MembershipGrant`."""
+type UserUsersByMembershipGrantEntityIdAndActorIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `MembershipGrant`."""
+ membershipGrantsByActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipGrant`."""
+ orderBy: [MembershipGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipGrantFilter
+ ): MembershipGrantsConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipGrant`.
+"""
+type UserUsersByMembershipGrantEntityIdAndGrantorIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipGrant`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipGrantEntityIdAndGrantorIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `User` edge in the connection, with data from `MembershipGrant`."""
+type UserUsersByMembershipGrantEntityIdAndGrantorIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `MembershipGrant`."""
+ membershipGrantsByGrantorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipGrant`."""
+ orderBy: [MembershipGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipGrantFilter
+ ): MembershipGrantsConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipGrant`.
+"""
+type UserUsersByMembershipGrantGrantorIdAndActorIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipGrant`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipGrantGrantorIdAndActorIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `User` edge in the connection, with data from `MembershipGrant`."""
+type UserUsersByMembershipGrantGrantorIdAndActorIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `MembershipGrant`."""
+ membershipGrantsByActorId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipGrant`."""
+ orderBy: [MembershipGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipGrantFilter
+ ): MembershipGrantsConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipGrant`.
+"""
+type UserUsersByMembershipGrantGrantorIdAndEntityIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipGrant`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipGrantGrantorIdAndEntityIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `User` edge in the connection, with data from `MembershipGrant`."""
+type UserUsersByMembershipGrantGrantorIdAndEntityIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `MembershipGrant`."""
+ membershipGrantsByEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipGrant`."""
+ orderBy: [MembershipGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipGrantCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipGrantFilter
+ ): MembershipGrantsConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `ClaimedInvite`.
+"""
+type UserUsersByClaimedInviteSenderIdAndReceiverIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `ClaimedInvite`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByClaimedInviteSenderIdAndReceiverIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `User` edge in the connection, with data from `ClaimedInvite`."""
+type UserUsersByClaimedInviteSenderIdAndReceiverIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `ClaimedInvite`."""
+ claimedInvitesByReceiverId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `ClaimedInvite`."""
+ orderBy: [ClaimedInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: ClaimedInviteCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: ClaimedInviteFilter
+ ): ClaimedInvitesConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `ClaimedInvite`.
+"""
+type UserUsersByClaimedInviteReceiverIdAndSenderIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `ClaimedInvite`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByClaimedInviteReceiverIdAndSenderIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `User` edge in the connection, with data from `ClaimedInvite`."""
+type UserUsersByClaimedInviteReceiverIdAndSenderIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `ClaimedInvite`."""
+ claimedInvitesBySenderId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `ClaimedInvite`."""
+ orderBy: [ClaimedInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: ClaimedInviteCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: ClaimedInviteFilter
+ ): ClaimedInvitesConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipInvite`.
+"""
+type UserUsersByMembershipInviteSenderIdAndReceiverIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipInvite`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipInviteSenderIdAndReceiverIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `User` edge in the connection, with data from `MembershipInvite`."""
+type UserUsersByMembershipInviteSenderIdAndReceiverIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `MembershipInvite`."""
+ membershipInvitesByReceiverId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipInvite`."""
+ orderBy: [MembershipInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipInviteCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipInviteFilter
+ ): MembershipInvitesConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipInvite`.
+"""
+type UserUsersByMembershipInviteSenderIdAndEntityIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipInvite`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipInviteSenderIdAndEntityIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `User` edge in the connection, with data from `MembershipInvite`."""
+type UserUsersByMembershipInviteSenderIdAndEntityIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `MembershipInvite`."""
+ membershipInvitesByEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipInvite`."""
+ orderBy: [MembershipInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipInviteCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipInviteFilter
+ ): MembershipInvitesConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipInvite`.
+"""
+type UserUsersByMembershipInviteReceiverIdAndSenderIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipInvite`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipInviteReceiverIdAndSenderIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `User` edge in the connection, with data from `MembershipInvite`."""
+type UserUsersByMembershipInviteReceiverIdAndSenderIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `MembershipInvite`."""
+ membershipInvitesBySenderId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipInvite`."""
+ orderBy: [MembershipInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipInviteCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipInviteFilter
+ ): MembershipInvitesConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipInvite`.
+"""
+type UserUsersByMembershipInviteReceiverIdAndEntityIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipInvite`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipInviteReceiverIdAndEntityIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `User` edge in the connection, with data from `MembershipInvite`."""
+type UserUsersByMembershipInviteReceiverIdAndEntityIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `MembershipInvite`."""
+ membershipInvitesByEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipInvite`."""
+ orderBy: [MembershipInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipInviteCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipInviteFilter
+ ): MembershipInvitesConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipInvite`.
+"""
+type UserUsersByMembershipInviteEntityIdAndSenderIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipInvite`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipInviteEntityIdAndSenderIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `User` edge in the connection, with data from `MembershipInvite`."""
+type UserUsersByMembershipInviteEntityIdAndSenderIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `MembershipInvite`."""
+ membershipInvitesBySenderId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipInvite`."""
+ orderBy: [MembershipInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipInviteCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipInviteFilter
+ ): MembershipInvitesConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipInvite`.
+"""
+type UserUsersByMembershipInviteEntityIdAndReceiverIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipInvite`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipInviteEntityIdAndReceiverIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `User` edge in the connection, with data from `MembershipInvite`."""
+type UserUsersByMembershipInviteEntityIdAndReceiverIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `MembershipInvite`."""
+ membershipInvitesByReceiverId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipInvite`."""
+ orderBy: [MembershipInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipInviteCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipInviteFilter
+ ): MembershipInvitesConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipClaimedInvite`.
+"""
+type UserUsersByMembershipClaimedInviteSenderIdAndReceiverIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipClaimedInvite`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipClaimedInviteSenderIdAndReceiverIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""
+A `User` edge in the connection, with data from `MembershipClaimedInvite`.
+"""
+type UserUsersByMembershipClaimedInviteSenderIdAndReceiverIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """
+ Reads and enables pagination through a set of `MembershipClaimedInvite`.
+ """
+ membershipClaimedInvitesByReceiverId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipClaimedInvite`."""
+ orderBy: [MembershipClaimedInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipClaimedInviteCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipClaimedInviteFilter
+ ): MembershipClaimedInvitesConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipClaimedInvite`.
+"""
+type UserUsersByMembershipClaimedInviteSenderIdAndEntityIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipClaimedInvite`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipClaimedInviteSenderIdAndEntityIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""
+A `User` edge in the connection, with data from `MembershipClaimedInvite`.
+"""
+type UserUsersByMembershipClaimedInviteSenderIdAndEntityIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """
+ Reads and enables pagination through a set of `MembershipClaimedInvite`.
+ """
+ membershipClaimedInvitesByEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipClaimedInvite`."""
+ orderBy: [MembershipClaimedInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipClaimedInviteCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipClaimedInviteFilter
+ ): MembershipClaimedInvitesConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipClaimedInvite`.
+"""
+type UserUsersByMembershipClaimedInviteReceiverIdAndSenderIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipClaimedInvite`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipClaimedInviteReceiverIdAndSenderIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""
+A `User` edge in the connection, with data from `MembershipClaimedInvite`.
+"""
+type UserUsersByMembershipClaimedInviteReceiverIdAndSenderIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """
+ Reads and enables pagination through a set of `MembershipClaimedInvite`.
+ """
+ membershipClaimedInvitesBySenderId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipClaimedInvite`."""
+ orderBy: [MembershipClaimedInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipClaimedInviteCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipClaimedInviteFilter
+ ): MembershipClaimedInvitesConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipClaimedInvite`.
+"""
+type UserUsersByMembershipClaimedInviteReceiverIdAndEntityIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipClaimedInvite`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipClaimedInviteReceiverIdAndEntityIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""
+A `User` edge in the connection, with data from `MembershipClaimedInvite`.
+"""
+type UserUsersByMembershipClaimedInviteReceiverIdAndEntityIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """
+ Reads and enables pagination through a set of `MembershipClaimedInvite`.
+ """
+ membershipClaimedInvitesByEntityId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipClaimedInvite`."""
+ orderBy: [MembershipClaimedInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipClaimedInviteCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipClaimedInviteFilter
+ ): MembershipClaimedInvitesConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipClaimedInvite`.
+"""
+type UserUsersByMembershipClaimedInviteEntityIdAndSenderIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipClaimedInvite`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipClaimedInviteEntityIdAndSenderIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""
+A `User` edge in the connection, with data from `MembershipClaimedInvite`.
+"""
+type UserUsersByMembershipClaimedInviteEntityIdAndSenderIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """
+ Reads and enables pagination through a set of `MembershipClaimedInvite`.
+ """
+ membershipClaimedInvitesBySenderId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipClaimedInvite`."""
+ orderBy: [MembershipClaimedInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipClaimedInviteCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipClaimedInviteFilter
+ ): MembershipClaimedInvitesConnection!
+}
+
+"""
+A connection to a list of `User` values, with data from `MembershipClaimedInvite`.
+"""
+type UserUsersByMembershipClaimedInviteEntityIdAndReceiverIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `MembershipClaimedInvite`, and the cursor to aid in pagination.
+ """
+ edges: [UserUsersByMembershipClaimedInviteEntityIdAndReceiverIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""
+A `User` edge in the connection, with data from `MembershipClaimedInvite`.
+"""
+type UserUsersByMembershipClaimedInviteEntityIdAndReceiverIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """
+ Reads and enables pagination through a set of `MembershipClaimedInvite`.
+ """
+ membershipClaimedInvitesByReceiverId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `MembershipClaimedInvite`."""
+ orderBy: [MembershipClaimedInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: MembershipClaimedInviteCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: MembershipClaimedInviteFilter
+ ): MembershipClaimedInvitesConnection!
+}
+
+"""A connection to a list of `Category` values, with data from `Product`."""
+type UserCategoriesByProductSellerIdAndCategoryIdManyToManyConnection {
+ """A list of `Category` objects."""
+ nodes: [Category!]!
+
+ """
+ A list of edges which contains the `Category`, info from the `Product`, and the cursor to aid in pagination.
+ """
+ edges: [UserCategoriesByProductSellerIdAndCategoryIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `Category` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `Category` edge in the connection, with data from `Product`."""
+type UserCategoriesByProductSellerIdAndCategoryIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `Category` at the end of the edge."""
+ node: Category!
+
+ """Reads and enables pagination through a set of `Product`."""
+ products(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `Product`."""
+ orderBy: [ProductsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: ProductCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: ProductFilter
+ ): ProductsConnection!
+}
+
+"""Methods to use when ordering `Category`."""
+enum CategoriesOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ NAME_ASC
+ NAME_DESC
+ DESCRIPTION_ASC
+ DESCRIPTION_DESC
+ SLUG_ASC
+ SLUG_DESC
+ IMAGE_URL_ASC
+ IMAGE_URL_DESC
+ IS_ACTIVE_ASC
+ IS_ACTIVE_DESC
+ SORT_ORDER_ASC
+ SORT_ORDER_DESC
+ CREATED_AT_ASC
+ CREATED_AT_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `Category` object types. All fields are tested
+for equality and combined with a logical ‘and.’
+"""
+input CategoryCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `name` field."""
+ name: String
+
+ """Checks for equality with the object’s `description` field."""
+ description: String
+
+ """Checks for equality with the object’s `slug` field."""
+ slug: String
+
+ """Checks for equality with the object’s `imageUrl` field."""
+ imageUrl: String
+
+ """Checks for equality with the object’s `isActive` field."""
+ isActive: Boolean
+
+ """Checks for equality with the object’s `sortOrder` field."""
+ sortOrder: Int
+
+ """Checks for equality with the object’s `createdAt` field."""
+ createdAt: Datetime
+}
+
+"""
+A filter to be used against `Category` object types. All fields are combined with a logical ‘and.’
+"""
+input CategoryFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `name` field."""
+ name: StringFilter
+
+ """Filter by the object’s `description` field."""
+ description: StringFilter
+
+ """Filter by the object’s `slug` field."""
+ slug: StringFilter
+
+ """Filter by the object’s `imageUrl` field."""
+ imageUrl: StringFilter
+
+ """Filter by the object’s `isActive` field."""
+ isActive: BooleanFilter
+
+ """Filter by the object’s `sortOrder` field."""
+ sortOrder: IntFilter
+
+ """Filter by the object’s `createdAt` field."""
+ createdAt: DatetimeFilter
+
+ """Checks for all expressions in this list."""
+ and: [CategoryFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [CategoryFilter!]
+
+ """Negates the expression."""
+ not: CategoryFilter
+}
+
+"""A connection to a list of `Product` values, with data from `Review`."""
+type UserProductsByReviewUserIdAndProductIdManyToManyConnection {
+ """A list of `Product` objects."""
+ nodes: [Product!]!
+
+ """
+ A list of edges which contains the `Product`, info from the `Review`, and the cursor to aid in pagination.
+ """
+ edges: [UserProductsByReviewUserIdAndProductIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `Product` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `Product` edge in the connection, with data from `Review`."""
+type UserProductsByReviewUserIdAndProductIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `Product` at the end of the edge."""
+ node: Product!
+
+ """Reads and enables pagination through a set of `Review`."""
+ reviews(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `Review`."""
+ orderBy: [ReviewsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: ReviewCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: ReviewFilter
+ ): ReviewsConnection!
+}
+
+"""A connection to a list of `Order` values, with data from `OrderItem`."""
+type ProductOrdersByOrderItemProductIdAndOrderIdManyToManyConnection {
+ """A list of `Order` objects."""
+ nodes: [Order!]!
+
+ """
+ A list of edges which contains the `Order`, info from the `OrderItem`, and the cursor to aid in pagination.
+ """
+ edges: [ProductOrdersByOrderItemProductIdAndOrderIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `Order` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `Order` edge in the connection, with data from `OrderItem`."""
+type ProductOrdersByOrderItemProductIdAndOrderIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `Order` at the end of the edge."""
+ node: Order!
+
+ """Reads and enables pagination through a set of `OrderItem`."""
+ orderItems(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `OrderItem`."""
+ orderBy: [OrderItemsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: OrderItemCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: OrderItemFilter
+ ): OrderItemsConnection!
+}
+
+"""A connection to a list of `User` values, with data from `Review`."""
+type ProductUsersByReviewProductIdAndUserIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `Review`, and the cursor to aid in pagination.
+ """
+ edges: [ProductUsersByReviewProductIdAndUserIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `User` edge in the connection, with data from `Review`."""
+type ProductUsersByReviewProductIdAndUserIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `Review`."""
+ reviews(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `Review`."""
+ orderBy: [ReviewsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: ReviewCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: ReviewFilter
+ ): ReviewsConnection!
+}
+
+"""A `Product` edge in the connection."""
+type ProductsEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `Product` at the end of the edge."""
+ node: Product!
+}
+
+"""A connection to a list of `User` values, with data from `Product`."""
+type CategoryUsersByProductCategoryIdAndSellerIdManyToManyConnection {
+ """A list of `User` objects."""
+ nodes: [User!]!
+
+ """
+ A list of edges which contains the `User`, info from the `Product`, and the cursor to aid in pagination.
+ """
+ edges: [CategoryUsersByProductCategoryIdAndSellerIdManyToManyEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `User` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `User` edge in the connection, with data from `Product`."""
+type CategoryUsersByProductCategoryIdAndSellerIdManyToManyEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `User` at the end of the edge."""
+ node: User!
+
+ """Reads and enables pagination through a set of `Product`."""
+ productsBySellerId(
+ """Only read the first `n` values of the set."""
+ first: Int
+
+ """Only read the last `n` values of the set."""
+ last: Int
+
+ """
+ Skip the first `n` values from our `after` cursor, an alternative to cursor
+ based pagination. May not be used with `last`.
+ """
+ offset: Int
+
+ """Read all values in the set before (above) this cursor."""
+ before: Cursor
+
+ """Read all values in the set after (below) this cursor."""
+ after: Cursor
+
+ """The method to use when ordering `Product`."""
+ orderBy: [ProductsOrderBy!] = [PRIMARY_KEY_ASC]
+
+ """
+ A condition to be used in determining which values should be returned by the collection.
+ """
+ condition: ProductCondition
+
+ """
+ A filter to be used in determining which values should be returned by the collection.
+ """
+ filter: ProductFilter
+ ): ProductsConnection!
+}
+
+"""A `Category` edge in the connection."""
+type CategoriesEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `Category` at the end of the edge."""
+ node: Category!
+}
+
+"""A connection to a list of `RoleType` values."""
+type RoleTypesConnection {
+ """A list of `RoleType` objects."""
+ nodes: [RoleType!]!
+
+ """
+ A list of edges which contains the `RoleType` and cursor to aid in pagination.
+ """
+ edges: [RoleTypesEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `RoleType` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `RoleType` edge in the connection."""
+type RoleTypesEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `RoleType` at the end of the edge."""
+ node: RoleType!
+}
+
+"""Methods to use when ordering `RoleType`."""
+enum RoleTypesOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ NAME_ASC
+ NAME_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `RoleType` object types. All fields are tested
+for equality and combined with a logical ‘and.’
+"""
+input RoleTypeCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: Int
+
+ """Checks for equality with the object’s `name` field."""
+ name: String
+}
+
+"""
+A filter to be used against `RoleType` object types. All fields are combined with a logical ‘and.’
+"""
+input RoleTypeFilter {
+ """Filter by the object’s `id` field."""
+ id: IntFilter
+
+ """Filter by the object’s `name` field."""
+ name: StringFilter
+
+ """Checks for all expressions in this list."""
+ and: [RoleTypeFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [RoleTypeFilter!]
+
+ """Negates the expression."""
+ not: RoleTypeFilter
+}
+
+"""A connection to a list of `AppMembershipDefault` values."""
+type AppMembershipDefaultsConnection {
+ """A list of `AppMembershipDefault` objects."""
+ nodes: [AppMembershipDefault!]!
+
+ """
+ A list of edges which contains the `AppMembershipDefault` and cursor to aid in pagination.
+ """
+ edges: [AppMembershipDefaultsEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """
+ The count of *all* `AppMembershipDefault` you could get from the connection.
+ """
+ totalCount: Int!
+}
+
+type AppMembershipDefault {
+ id: UUID!
+ createdAt: Datetime
+ updatedAt: Datetime
+ createdBy: UUID
+ updatedBy: UUID
+ isApproved: Boolean!
+ isVerified: Boolean!
+}
+
+"""A `AppMembershipDefault` edge in the connection."""
+type AppMembershipDefaultsEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `AppMembershipDefault` at the end of the edge."""
+ node: AppMembershipDefault!
+}
+
+"""Methods to use when ordering `AppMembershipDefault`."""
+enum AppMembershipDefaultsOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ CREATED_AT_ASC
+ CREATED_AT_DESC
+ UPDATED_AT_ASC
+ UPDATED_AT_DESC
+ CREATED_BY_ASC
+ CREATED_BY_DESC
+ UPDATED_BY_ASC
+ UPDATED_BY_DESC
+ IS_APPROVED_ASC
+ IS_APPROVED_DESC
+ IS_VERIFIED_ASC
+ IS_VERIFIED_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `AppMembershipDefault` object types. All fields
+are tested for equality and combined with a logical ‘and.’
+"""
+input AppMembershipDefaultCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `createdAt` field."""
+ createdAt: Datetime
+
+ """Checks for equality with the object’s `updatedAt` field."""
+ updatedAt: Datetime
+
+ """Checks for equality with the object’s `createdBy` field."""
+ createdBy: UUID
+
+ """Checks for equality with the object’s `updatedBy` field."""
+ updatedBy: UUID
+
+ """Checks for equality with the object’s `isApproved` field."""
+ isApproved: Boolean
+
+ """Checks for equality with the object’s `isVerified` field."""
+ isVerified: Boolean
+}
+
+"""
+A filter to be used against `AppMembershipDefault` object types. All fields are combined with a logical ‘and.’
+"""
+input AppMembershipDefaultFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `createdAt` field."""
+ createdAt: DatetimeFilter
+
+ """Filter by the object’s `updatedAt` field."""
+ updatedAt: DatetimeFilter
+
+ """Filter by the object’s `createdBy` field."""
+ createdBy: UUIDFilter
+
+ """Filter by the object’s `updatedBy` field."""
+ updatedBy: UUIDFilter
+
+ """Filter by the object’s `isApproved` field."""
+ isApproved: BooleanFilter
+
+ """Filter by the object’s `isVerified` field."""
+ isVerified: BooleanFilter
+
+ """Checks for all expressions in this list."""
+ and: [AppMembershipDefaultFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [AppMembershipDefaultFilter!]
+
+ """Negates the expression."""
+ not: AppMembershipDefaultFilter
+}
+
+"""A connection to a list of `AppMembership` values."""
+type AppMembershipsConnection {
+ """A list of `AppMembership` objects."""
+ nodes: [AppMembership!]!
+
+ """
+ A list of edges which contains the `AppMembership` and cursor to aid in pagination.
+ """
+ edges: [AppMembershipsEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `AppMembership` you could get from the connection."""
+ totalCount: Int!
+}
+
+"""A `AppMembership` edge in the connection."""
+type AppMembershipsEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `AppMembership` at the end of the edge."""
+ node: AppMembership!
+}
+
+"""Methods to use when ordering `AppMembership`."""
+enum AppMembershipsOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ CREATED_AT_ASC
+ CREATED_AT_DESC
+ UPDATED_AT_ASC
+ UPDATED_AT_DESC
+ CREATED_BY_ASC
+ CREATED_BY_DESC
+ UPDATED_BY_ASC
+ UPDATED_BY_DESC
+ IS_APPROVED_ASC
+ IS_APPROVED_DESC
+ IS_BANNED_ASC
+ IS_BANNED_DESC
+ IS_DISABLED_ASC
+ IS_DISABLED_DESC
+ IS_VERIFIED_ASC
+ IS_VERIFIED_DESC
+ IS_ACTIVE_ASC
+ IS_ACTIVE_DESC
+ IS_OWNER_ASC
+ IS_OWNER_DESC
+ IS_ADMIN_ASC
+ IS_ADMIN_DESC
+ PERMISSIONS_ASC
+ PERMISSIONS_DESC
+ GRANTED_ASC
+ GRANTED_DESC
+ ACTOR_ID_ASC
+ ACTOR_ID_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `AppMembership` object types. All fields are
+tested for equality and combined with a logical ‘and.’
+"""
+input AppMembershipCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `createdAt` field."""
+ createdAt: Datetime
+
+ """Checks for equality with the object’s `updatedAt` field."""
+ updatedAt: Datetime
+
+ """Checks for equality with the object’s `createdBy` field."""
+ createdBy: UUID
+
+ """Checks for equality with the object’s `updatedBy` field."""
+ updatedBy: UUID
+
+ """Checks for equality with the object’s `isApproved` field."""
+ isApproved: Boolean
+
+ """Checks for equality with the object’s `isBanned` field."""
+ isBanned: Boolean
+
+ """Checks for equality with the object’s `isDisabled` field."""
+ isDisabled: Boolean
+
+ """Checks for equality with the object’s `isVerified` field."""
+ isVerified: Boolean
+
+ """Checks for equality with the object’s `isActive` field."""
+ isActive: Boolean
+
+ """Checks for equality with the object’s `isOwner` field."""
+ isOwner: Boolean
+
+ """Checks for equality with the object’s `isAdmin` field."""
+ isAdmin: Boolean
+
+ """Checks for equality with the object’s `permissions` field."""
+ permissions: BitString
+
+ """Checks for equality with the object’s `granted` field."""
+ granted: BitString
+
+ """Checks for equality with the object’s `actorId` field."""
+ actorId: UUID
+}
+
+"""
+A filter to be used against `AppMembership` object types. All fields are combined with a logical ‘and.’
+"""
+input AppMembershipFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `createdAt` field."""
+ createdAt: DatetimeFilter
+
+ """Filter by the object’s `updatedAt` field."""
+ updatedAt: DatetimeFilter
+
+ """Filter by the object’s `createdBy` field."""
+ createdBy: UUIDFilter
+
+ """Filter by the object’s `updatedBy` field."""
+ updatedBy: UUIDFilter
+
+ """Filter by the object’s `isApproved` field."""
+ isApproved: BooleanFilter
+
+ """Filter by the object’s `isBanned` field."""
+ isBanned: BooleanFilter
+
+ """Filter by the object’s `isDisabled` field."""
+ isDisabled: BooleanFilter
+
+ """Filter by the object’s `isVerified` field."""
+ isVerified: BooleanFilter
+
+ """Filter by the object’s `isActive` field."""
+ isActive: BooleanFilter
+
+ """Filter by the object’s `isOwner` field."""
+ isOwner: BooleanFilter
+
+ """Filter by the object’s `isAdmin` field."""
+ isAdmin: BooleanFilter
+
+ """Filter by the object’s `permissions` field."""
+ permissions: BitStringFilter
+
+ """Filter by the object’s `granted` field."""
+ granted: BitStringFilter
+
+ """Filter by the object’s `actorId` field."""
+ actorId: UUIDFilter
+
+ """Checks for all expressions in this list."""
+ and: [AppMembershipFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [AppMembershipFilter!]
+
+ """Negates the expression."""
+ not: AppMembershipFilter
+}
+
+"""A connection to a list of `MembershipMembershipDefault` values."""
+type MembershipMembershipDefaultsConnection {
+ """A list of `MembershipMembershipDefault` objects."""
+ nodes: [MembershipMembershipDefault!]!
+
+ """
+ A list of edges which contains the `MembershipMembershipDefault` and cursor to aid in pagination.
+ """
+ edges: [MembershipMembershipDefaultsEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """
+ The count of *all* `MembershipMembershipDefault` you could get from the connection.
+ """
+ totalCount: Int!
+}
+
+"""A `MembershipMembershipDefault` edge in the connection."""
+type MembershipMembershipDefaultsEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `MembershipMembershipDefault` at the end of the edge."""
+ node: MembershipMembershipDefault!
+}
+
+"""Methods to use when ordering `MembershipMembershipDefault`."""
+enum MembershipMembershipDefaultsOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ CREATED_AT_ASC
+ CREATED_AT_DESC
+ UPDATED_AT_ASC
+ UPDATED_AT_DESC
+ CREATED_BY_ASC
+ CREATED_BY_DESC
+ UPDATED_BY_ASC
+ UPDATED_BY_DESC
+ IS_APPROVED_ASC
+ IS_APPROVED_DESC
+ ENTITY_ID_ASC
+ ENTITY_ID_DESC
+ DELETE_MEMBER_CASCADE_GROUPS_ASC
+ DELETE_MEMBER_CASCADE_GROUPS_DESC
+ CREATE_GROUPS_CASCADE_MEMBERS_ASC
+ CREATE_GROUPS_CASCADE_MEMBERS_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `MembershipMembershipDefault` object types. All
+fields are tested for equality and combined with a logical ‘and.’
+"""
+input MembershipMembershipDefaultCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `createdAt` field."""
+ createdAt: Datetime
+
+ """Checks for equality with the object’s `updatedAt` field."""
+ updatedAt: Datetime
+
+ """Checks for equality with the object’s `createdBy` field."""
+ createdBy: UUID
+
+ """Checks for equality with the object’s `updatedBy` field."""
+ updatedBy: UUID
+
+ """Checks for equality with the object’s `isApproved` field."""
+ isApproved: Boolean
+
+ """Checks for equality with the object’s `entityId` field."""
+ entityId: UUID
+
+ """
+ Checks for equality with the object’s `deleteMemberCascadeGroups` field.
+ """
+ deleteMemberCascadeGroups: Boolean
+
+ """
+ Checks for equality with the object’s `createGroupsCascadeMembers` field.
+ """
+ createGroupsCascadeMembers: Boolean
+}
+
+"""
+A filter to be used against `MembershipMembershipDefault` object types. All fields are combined with a logical ‘and.’
+"""
+input MembershipMembershipDefaultFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `createdAt` field."""
+ createdAt: DatetimeFilter
+
+ """Filter by the object’s `updatedAt` field."""
+ updatedAt: DatetimeFilter
+
+ """Filter by the object’s `createdBy` field."""
+ createdBy: UUIDFilter
+
+ """Filter by the object’s `updatedBy` field."""
+ updatedBy: UUIDFilter
+
+ """Filter by the object’s `isApproved` field."""
+ isApproved: BooleanFilter
+
+ """Filter by the object’s `entityId` field."""
+ entityId: UUIDFilter
+
+ """Filter by the object’s `deleteMemberCascadeGroups` field."""
+ deleteMemberCascadeGroups: BooleanFilter
+
+ """Filter by the object’s `createGroupsCascadeMembers` field."""
+ createGroupsCascadeMembers: BooleanFilter
+
+ """Checks for all expressions in this list."""
+ and: [MembershipMembershipDefaultFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [MembershipMembershipDefaultFilter!]
+
+ """Negates the expression."""
+ not: MembershipMembershipDefaultFilter
+}
+
+"""A connection to a list of `MembershipType` values."""
+type MembershipTypesConnection {
+ """A list of `MembershipType` objects."""
+ nodes: [MembershipType!]!
+
+ """
+ A list of edges which contains the `MembershipType` and cursor to aid in pagination.
+ """
+ edges: [MembershipTypesEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `MembershipType` you could get from the connection."""
+ totalCount: Int!
+}
+
+type MembershipType {
+ id: Int!
+ name: String!
+ description: String!
+ prefix: String!
+}
+
+"""A `MembershipType` edge in the connection."""
+type MembershipTypesEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `MembershipType` at the end of the edge."""
+ node: MembershipType!
+}
+
+"""Methods to use when ordering `MembershipType`."""
+enum MembershipTypesOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ NAME_ASC
+ NAME_DESC
+ DESCRIPTION_ASC
+ DESCRIPTION_DESC
+ PREFIX_ASC
+ PREFIX_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `MembershipType` object types. All fields are
+tested for equality and combined with a logical ‘and.’
+"""
+input MembershipTypeCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: Int
+
+ """Checks for equality with the object’s `name` field."""
+ name: String
+
+ """Checks for equality with the object’s `description` field."""
+ description: String
+
+ """Checks for equality with the object’s `prefix` field."""
+ prefix: String
+}
+
+"""
+A filter to be used against `MembershipType` object types. All fields are combined with a logical ‘and.’
+"""
+input MembershipTypeFilter {
+ """Filter by the object’s `id` field."""
+ id: IntFilter
+
+ """Filter by the object’s `name` field."""
+ name: StringFilter
+
+ """Filter by the object’s `description` field."""
+ description: StringFilter
+
+ """Filter by the object’s `prefix` field."""
+ prefix: StringFilter
+
+ """Checks for all expressions in this list."""
+ and: [MembershipTypeFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [MembershipTypeFilter!]
+
+ """Negates the expression."""
+ not: MembershipTypeFilter
+}
+
+"""A connection to a list of `AppPermissionDefault` values."""
+type AppPermissionDefaultsConnection {
+ """A list of `AppPermissionDefault` objects."""
+ nodes: [AppPermissionDefault!]!
+
+ """
+ A list of edges which contains the `AppPermissionDefault` and cursor to aid in pagination.
+ """
+ edges: [AppPermissionDefaultsEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """
+ The count of *all* `AppPermissionDefault` you could get from the connection.
+ """
+ totalCount: Int!
+}
+
+type AppPermissionDefault {
+ id: UUID!
+ permissions: BitString!
+}
+
+"""A `AppPermissionDefault` edge in the connection."""
+type AppPermissionDefaultsEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `AppPermissionDefault` at the end of the edge."""
+ node: AppPermissionDefault!
+}
+
+"""Methods to use when ordering `AppPermissionDefault`."""
+enum AppPermissionDefaultsOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ PERMISSIONS_ASC
+ PERMISSIONS_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `AppPermissionDefault` object types. All fields
+are tested for equality and combined with a logical ‘and.’
+"""
+input AppPermissionDefaultCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `permissions` field."""
+ permissions: BitString
+}
+
+"""
+A filter to be used against `AppPermissionDefault` object types. All fields are combined with a logical ‘and.’
+"""
+input AppPermissionDefaultFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `permissions` field."""
+ permissions: BitStringFilter
+
+ """Checks for all expressions in this list."""
+ and: [AppPermissionDefaultFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [AppPermissionDefaultFilter!]
+
+ """Negates the expression."""
+ not: AppPermissionDefaultFilter
+}
+
+"""A connection to a list of `AppPermission` values."""
+type AppPermissionsConnection {
+ """A list of `AppPermission` objects."""
+ nodes: [AppPermission!]!
+
+ """
+ A list of edges which contains the `AppPermission` and cursor to aid in pagination.
+ """
+ edges: [AppPermissionsEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """The count of *all* `AppPermission` you could get from the connection."""
+ totalCount: Int!
+}
+
+type AppPermission {
+ id: UUID!
+ name: String
+ bitnum: Int
+ bitstr: BitString!
+ description: String
+}
+
+"""A `AppPermission` edge in the connection."""
+type AppPermissionsEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `AppPermission` at the end of the edge."""
+ node: AppPermission!
+}
+
+"""Methods to use when ordering `AppPermission`."""
+enum AppPermissionsOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ NAME_ASC
+ NAME_DESC
+ BITNUM_ASC
+ BITNUM_DESC
+ BITSTR_ASC
+ BITSTR_DESC
+ DESCRIPTION_ASC
+ DESCRIPTION_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `AppPermission` object types. All fields are
+tested for equality and combined with a logical ‘and.’
+"""
+input AppPermissionCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `name` field."""
+ name: String
+
+ """Checks for equality with the object’s `bitnum` field."""
+ bitnum: Int
+
+ """Checks for equality with the object’s `bitstr` field."""
+ bitstr: BitString
+
+ """Checks for equality with the object’s `description` field."""
+ description: String
+}
+
+"""
+A filter to be used against `AppPermission` object types. All fields are combined with a logical ‘and.’
+"""
+input AppPermissionFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `name` field."""
+ name: StringFilter
+
+ """Filter by the object’s `bitnum` field."""
+ bitnum: IntFilter
+
+ """Filter by the object’s `bitstr` field."""
+ bitstr: BitStringFilter
+
+ """Filter by the object’s `description` field."""
+ description: StringFilter
+
+ """Checks for all expressions in this list."""
+ and: [AppPermissionFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [AppPermissionFilter!]
+
+ """Negates the expression."""
+ not: AppPermissionFilter
+}
+
+"""A connection to a list of `MembershipPermission` values."""
+type MembershipPermissionsConnection {
+ """A list of `MembershipPermission` objects."""
+ nodes: [MembershipPermission!]!
+
+ """
+ A list of edges which contains the `MembershipPermission` and cursor to aid in pagination.
+ """
+ edges: [MembershipPermissionsEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """
+ The count of *all* `MembershipPermission` you could get from the connection.
+ """
+ totalCount: Int!
+}
+
+type MembershipPermission {
+ id: UUID!
+ name: String
+ bitnum: Int
+ bitstr: BitString!
+ description: String
+}
+
+"""A `MembershipPermission` edge in the connection."""
+type MembershipPermissionsEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `MembershipPermission` at the end of the edge."""
+ node: MembershipPermission!
+}
+
+"""Methods to use when ordering `MembershipPermission`."""
+enum MembershipPermissionsOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ NAME_ASC
+ NAME_DESC
+ BITNUM_ASC
+ BITNUM_DESC
+ BITSTR_ASC
+ BITSTR_DESC
+ DESCRIPTION_ASC
+ DESCRIPTION_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `MembershipPermission` object types. All fields
+are tested for equality and combined with a logical ‘and.’
+"""
+input MembershipPermissionCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `name` field."""
+ name: String
+
+ """Checks for equality with the object’s `bitnum` field."""
+ bitnum: Int
+
+ """Checks for equality with the object’s `bitstr` field."""
+ bitstr: BitString
+
+ """Checks for equality with the object’s `description` field."""
+ description: String
+}
+
+"""
+A filter to be used against `MembershipPermission` object types. All fields are combined with a logical ‘and.’
+"""
+input MembershipPermissionFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `name` field."""
+ name: StringFilter
+
+ """Filter by the object’s `bitnum` field."""
+ bitnum: IntFilter
+
+ """Filter by the object’s `bitstr` field."""
+ bitstr: BitStringFilter
+
+ """Filter by the object’s `description` field."""
+ description: StringFilter
+
+ """Checks for all expressions in this list."""
+ and: [MembershipPermissionFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [MembershipPermissionFilter!]
+
+ """Negates the expression."""
+ not: MembershipPermissionFilter
+}
+
+"""A connection to a list of `AppLimitDefault` values."""
+type AppLimitDefaultsConnection {
+ """A list of `AppLimitDefault` objects."""
+ nodes: [AppLimitDefault!]!
+
+ """
+ A list of edges which contains the `AppLimitDefault` and cursor to aid in pagination.
+ """
+ edges: [AppLimitDefaultsEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """
+ The count of *all* `AppLimitDefault` you could get from the connection.
+ """
+ totalCount: Int!
+}
+
+type AppLimitDefault {
+ id: UUID!
+ name: String!
+ max: Int
+}
+
+"""A `AppLimitDefault` edge in the connection."""
+type AppLimitDefaultsEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `AppLimitDefault` at the end of the edge."""
+ node: AppLimitDefault!
+}
+
+"""Methods to use when ordering `AppLimitDefault`."""
+enum AppLimitDefaultsOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ NAME_ASC
+ NAME_DESC
+ MAX_ASC
+ MAX_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `AppLimitDefault` object types. All fields are
+tested for equality and combined with a logical ‘and.’
+"""
+input AppLimitDefaultCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `name` field."""
+ name: String
+
+ """Checks for equality with the object’s `max` field."""
+ max: Int
+}
+
+"""
+A filter to be used against `AppLimitDefault` object types. All fields are combined with a logical ‘and.’
+"""
+input AppLimitDefaultFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `name` field."""
+ name: StringFilter
+
+ """Filter by the object’s `max` field."""
+ max: IntFilter
+
+ """Checks for all expressions in this list."""
+ and: [AppLimitDefaultFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [AppLimitDefaultFilter!]
+
+ """Negates the expression."""
+ not: AppLimitDefaultFilter
+}
+
+"""A connection to a list of `MembershipLimitDefault` values."""
+type MembershipLimitDefaultsConnection {
+ """A list of `MembershipLimitDefault` objects."""
+ nodes: [MembershipLimitDefault!]!
+
+ """
+ A list of edges which contains the `MembershipLimitDefault` and cursor to aid in pagination.
+ """
+ edges: [MembershipLimitDefaultsEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """
+ The count of *all* `MembershipLimitDefault` you could get from the connection.
+ """
+ totalCount: Int!
+}
+
+type MembershipLimitDefault {
+ id: UUID!
+ name: String!
+ max: Int
+}
+
+"""A `MembershipLimitDefault` edge in the connection."""
+type MembershipLimitDefaultsEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `MembershipLimitDefault` at the end of the edge."""
+ node: MembershipLimitDefault!
+}
+
+"""Methods to use when ordering `MembershipLimitDefault`."""
+enum MembershipLimitDefaultsOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ NAME_ASC
+ NAME_DESC
+ MAX_ASC
+ MAX_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `MembershipLimitDefault` object types. All fields
+are tested for equality and combined with a logical ‘and.’
+"""
+input MembershipLimitDefaultCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `name` field."""
+ name: String
+
+ """Checks for equality with the object’s `max` field."""
+ max: Int
+}
+
+"""
+A filter to be used against `MembershipLimitDefault` object types. All fields are combined with a logical ‘and.’
+"""
+input MembershipLimitDefaultFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `name` field."""
+ name: StringFilter
+
+ """Filter by the object’s `max` field."""
+ max: IntFilter
+
+ """Checks for all expressions in this list."""
+ and: [MembershipLimitDefaultFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [MembershipLimitDefaultFilter!]
+
+ """Negates the expression."""
+ not: MembershipLimitDefaultFilter
+}
+
+"""A connection to a list of `AppLevelRequirement` values."""
+type AppLevelRequirementsConnection {
+ """A list of `AppLevelRequirement` objects."""
+ nodes: [AppLevelRequirement!]!
+
+ """
+ A list of edges which contains the `AppLevelRequirement` and cursor to aid in pagination.
+ """
+ edges: [AppLevelRequirementsEdge!]!
+
+ """Information to aid in pagination."""
+ pageInfo: PageInfo!
+
+ """
+ The count of *all* `AppLevelRequirement` you could get from the connection.
+ """
+ totalCount: Int!
+}
+
+"""Requirements to achieve a level"""
+type AppLevelRequirement {
+ id: UUID!
+ name: String!
+ level: String!
+ description: String
+ requiredCount: Int!
+ priority: Int!
+ createdAt: Datetime
+ updatedAt: Datetime
+}
+
+"""A `AppLevelRequirement` edge in the connection."""
+type AppLevelRequirementsEdge {
+ """A cursor for use in pagination."""
+ cursor: Cursor
+
+ """The `AppLevelRequirement` at the end of the edge."""
+ node: AppLevelRequirement!
+}
+
+"""Methods to use when ordering `AppLevelRequirement`."""
+enum AppLevelRequirementsOrderBy {
+ NATURAL
+ ID_ASC
+ ID_DESC
+ NAME_ASC
+ NAME_DESC
+ LEVEL_ASC
+ LEVEL_DESC
+ DESCRIPTION_ASC
+ DESCRIPTION_DESC
+ REQUIRED_COUNT_ASC
+ REQUIRED_COUNT_DESC
+ PRIORITY_ASC
+ PRIORITY_DESC
+ CREATED_AT_ASC
+ CREATED_AT_DESC
+ UPDATED_AT_ASC
+ UPDATED_AT_DESC
+ PRIMARY_KEY_ASC
+ PRIMARY_KEY_DESC
+}
+
+"""
+A condition to be used against `AppLevelRequirement` object types. All fields
+are tested for equality and combined with a logical ‘and.’
+"""
+input AppLevelRequirementCondition {
+ """Checks for equality with the object’s `id` field."""
+ id: UUID
+
+ """Checks for equality with the object’s `name` field."""
+ name: String
+
+ """Checks for equality with the object’s `level` field."""
+ level: String
+
+ """Checks for equality with the object’s `description` field."""
+ description: String
+
+ """Checks for equality with the object’s `requiredCount` field."""
+ requiredCount: Int
+
+ """Checks for equality with the object’s `priority` field."""
+ priority: Int
+
+ """Checks for equality with the object’s `createdAt` field."""
+ createdAt: Datetime
+
+ """Checks for equality with the object’s `updatedAt` field."""
+ updatedAt: Datetime
+}
+
+"""
+A filter to be used against `AppLevelRequirement` object types. All fields are combined with a logical ‘and.’
+"""
+input AppLevelRequirementFilter {
+ """Filter by the object’s `id` field."""
+ id: UUIDFilter
+
+ """Filter by the object’s `name` field."""
+ name: StringFilter
+
+ """Filter by the object’s `level` field."""
+ level: StringFilter
+
+ """Filter by the object’s `description` field."""
+ description: StringFilter
+
+ """Filter by the object’s `requiredCount` field."""
+ requiredCount: IntFilter
+
+ """Filter by the object’s `priority` field."""
+ priority: IntFilter
+
+ """Filter by the object’s `createdAt` field."""
+ createdAt: DatetimeFilter
+
+ """Filter by the object’s `updatedAt` field."""
+ updatedAt: DatetimeFilter
+
+ """Checks for all expressions in this list."""
+ and: [AppLevelRequirementFilter!]
+
+ """Checks for any expressions in this list."""
+ or: [AppLevelRequirementFilter!]
+
+ """Negates the expression."""
+ not: AppLevelRequirementFilter
+}
+
+"""
+The root mutation type which contains root level fields which mutate data.
+"""
+type Mutation {
+ """Creates a single `Category`."""
+ createCategory(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateCategoryInput!
+ ): CreateCategoryPayload
+
+ """Creates a single `CryptoAddress`."""
+ createCryptoAddress(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateCryptoAddressInput!
+ ): CreateCryptoAddressPayload
+
+ """Creates a single `Email`."""
+ createEmail(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateEmailInput!
+ ): CreateEmailPayload
+
+ """Creates a single `OrderItem`."""
+ createOrderItem(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateOrderItemInput!
+ ): CreateOrderItemPayload
+
+ """Creates a single `Order`."""
+ createOrder(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateOrderInput!
+ ): CreateOrderPayload
+
+ """Creates a single `PhoneNumber`."""
+ createPhoneNumber(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreatePhoneNumberInput!
+ ): CreatePhoneNumberPayload
+
+ """Creates a single `Product`."""
+ createProduct(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateProductInput!
+ ): CreateProductPayload
+
+ """Creates a single `Review`."""
+ createReview(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateReviewInput!
+ ): CreateReviewPayload
+
+ """Creates a single `RoleType`."""
+ createRoleType(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateRoleTypeInput!
+ ): CreateRoleTypePayload
+
+ """Creates a single `User`."""
+ createUser(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateUserInput!
+ ): CreateUserPayload
+
+ """Creates a single `AppAdminGrant`."""
+ createAppAdminGrant(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateAppAdminGrantInput!
+ ): CreateAppAdminGrantPayload
+
+ """Creates a single `AppGrant`."""
+ createAppGrant(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateAppGrantInput!
+ ): CreateAppGrantPayload
+
+ """Creates a single `AppMembershipDefault`."""
+ createAppMembershipDefault(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateAppMembershipDefaultInput!
+ ): CreateAppMembershipDefaultPayload
+
+ """Creates a single `AppMembership`."""
+ createAppMembership(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateAppMembershipInput!
+ ): CreateAppMembershipPayload
+
+ """Creates a single `AppOwnerGrant`."""
+ createAppOwnerGrant(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateAppOwnerGrantInput!
+ ): CreateAppOwnerGrantPayload
+
+ """Creates a single `MembershipAdminGrant`."""
+ createMembershipAdminGrant(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateMembershipAdminGrantInput!
+ ): CreateMembershipAdminGrantPayload
+
+ """Creates a single `MembershipGrant`."""
+ createMembershipGrant(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateMembershipGrantInput!
+ ): CreateMembershipGrantPayload
+
+ """Creates a single `MembershipMember`."""
+ createMembershipMember(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateMembershipMemberInput!
+ ): CreateMembershipMemberPayload
+
+ """Creates a single `MembershipMembershipDefault`."""
+ createMembershipMembershipDefault(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateMembershipMembershipDefaultInput!
+ ): CreateMembershipMembershipDefaultPayload
+
+ """Creates a single `MembershipMembership`."""
+ createMembershipMembership(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateMembershipMembershipInput!
+ ): CreateMembershipMembershipPayload
+
+ """Creates a single `MembershipOwnerGrant`."""
+ createMembershipOwnerGrant(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateMembershipOwnerGrantInput!
+ ): CreateMembershipOwnerGrantPayload
+
+ """Creates a single `MembershipType`."""
+ createMembershipType(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateMembershipTypeInput!
+ ): CreateMembershipTypePayload
+
+ """Creates a single `AppPermissionDefault`."""
+ createAppPermissionDefault(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateAppPermissionDefaultInput!
+ ): CreateAppPermissionDefaultPayload
+
+ """Creates a single `AppPermission`."""
+ createAppPermission(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateAppPermissionInput!
+ ): CreateAppPermissionPayload
+
+ """Creates a single `MembershipPermissionDefault`."""
+ createMembershipPermissionDefault(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateMembershipPermissionDefaultInput!
+ ): CreateMembershipPermissionDefaultPayload
+
+ """Creates a single `MembershipPermission`."""
+ createMembershipPermission(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateMembershipPermissionInput!
+ ): CreateMembershipPermissionPayload
+
+ """Creates a single `AppLimitDefault`."""
+ createAppLimitDefault(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateAppLimitDefaultInput!
+ ): CreateAppLimitDefaultPayload
+
+ """Creates a single `AppLimit`."""
+ createAppLimit(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateAppLimitInput!
+ ): CreateAppLimitPayload
+
+ """Creates a single `MembershipLimitDefault`."""
+ createMembershipLimitDefault(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateMembershipLimitDefaultInput!
+ ): CreateMembershipLimitDefaultPayload
+
+ """Creates a single `MembershipLimit`."""
+ createMembershipLimit(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateMembershipLimitInput!
+ ): CreateMembershipLimitPayload
+
+ """Creates a single `AppAchievement`."""
+ createAppAchievement(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateAppAchievementInput!
+ ): CreateAppAchievementPayload
+
+ """Creates a single `AppLevelRequirement`."""
+ createAppLevelRequirement(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateAppLevelRequirementInput!
+ ): CreateAppLevelRequirementPayload
+
+ """Creates a single `AppLevel`."""
+ createAppLevel(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateAppLevelInput!
+ ): CreateAppLevelPayload
+
+ """Creates a single `AppStep`."""
+ createAppStep(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateAppStepInput!
+ ): CreateAppStepPayload
+
+ """Creates a single `ClaimedInvite`."""
+ createClaimedInvite(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateClaimedInviteInput!
+ ): CreateClaimedInvitePayload
+
+ """Creates a single `Invite`."""
+ createInvite(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateInviteInput!
+ ): CreateInvitePayload
+
+ """Creates a single `MembershipClaimedInvite`."""
+ createMembershipClaimedInvite(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateMembershipClaimedInviteInput!
+ ): CreateMembershipClaimedInvitePayload
+
+ """Creates a single `MembershipInvite`."""
+ createMembershipInvite(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateMembershipInviteInput!
+ ): CreateMembershipInvitePayload
+
+ """Creates a single `AuditLog`."""
+ createAuditLog(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CreateAuditLogInput!
+ ): CreateAuditLogPayload
+
+ """Updates a single `Category` using a unique key and a patch."""
+ updateCategory(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateCategoryInput!
+ ): UpdateCategoryPayload
+
+ """Updates a single `CryptoAddress` using a unique key and a patch."""
+ updateCryptoAddress(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateCryptoAddressInput!
+ ): UpdateCryptoAddressPayload
+
+ """Updates a single `CryptoAddress` using a unique key and a patch."""
+ updateCryptoAddressByAddress(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateCryptoAddressByAddressInput!
+ ): UpdateCryptoAddressPayload
+
+ """Updates a single `Email` using a unique key and a patch."""
+ updateEmail(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateEmailInput!
+ ): UpdateEmailPayload
+
+ """Updates a single `Email` using a unique key and a patch."""
+ updateEmailByEmail(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateEmailByEmailInput!
+ ): UpdateEmailPayload
+
+ """Updates a single `OrderItem` using a unique key and a patch."""
+ updateOrderItem(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateOrderItemInput!
+ ): UpdateOrderItemPayload
+
+ """Updates a single `Order` using a unique key and a patch."""
+ updateOrder(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateOrderInput!
+ ): UpdateOrderPayload
+
+ """Updates a single `PhoneNumber` using a unique key and a patch."""
+ updatePhoneNumber(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdatePhoneNumberInput!
+ ): UpdatePhoneNumberPayload
+
+ """Updates a single `PhoneNumber` using a unique key and a patch."""
+ updatePhoneNumberByNumber(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdatePhoneNumberByNumberInput!
+ ): UpdatePhoneNumberPayload
+
+ """Updates a single `Product` using a unique key and a patch."""
+ updateProduct(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateProductInput!
+ ): UpdateProductPayload
+
+ """Updates a single `Review` using a unique key and a patch."""
+ updateReview(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateReviewInput!
+ ): UpdateReviewPayload
+
+ """Updates a single `RoleType` using a unique key and a patch."""
+ updateRoleType(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateRoleTypeInput!
+ ): UpdateRoleTypePayload
+
+ """Updates a single `RoleType` using a unique key and a patch."""
+ updateRoleTypeByName(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateRoleTypeByNameInput!
+ ): UpdateRoleTypePayload
+
+ """Updates a single `User` using a unique key and a patch."""
+ updateUser(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateUserInput!
+ ): UpdateUserPayload
+
+ """Updates a single `User` using a unique key and a patch."""
+ updateUserByUsername(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateUserByUsernameInput!
+ ): UpdateUserPayload
+
+ """Updates a single `AppAdminGrant` using a unique key and a patch."""
+ updateAppAdminGrant(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateAppAdminGrantInput!
+ ): UpdateAppAdminGrantPayload
+
+ """Updates a single `AppGrant` using a unique key and a patch."""
+ updateAppGrant(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateAppGrantInput!
+ ): UpdateAppGrantPayload
+
+ """
+ Updates a single `AppMembershipDefault` using a unique key and a patch.
+ """
+ updateAppMembershipDefault(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateAppMembershipDefaultInput!
+ ): UpdateAppMembershipDefaultPayload
+
+ """Updates a single `AppMembership` using a unique key and a patch."""
+ updateAppMembership(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateAppMembershipInput!
+ ): UpdateAppMembershipPayload
+
+ """Updates a single `AppMembership` using a unique key and a patch."""
+ updateAppMembershipByActorId(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateAppMembershipByActorIdInput!
+ ): UpdateAppMembershipPayload
+
+ """Updates a single `AppOwnerGrant` using a unique key and a patch."""
+ updateAppOwnerGrant(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateAppOwnerGrantInput!
+ ): UpdateAppOwnerGrantPayload
+
+ """
+ Updates a single `MembershipAdminGrant` using a unique key and a patch.
+ """
+ updateMembershipAdminGrant(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateMembershipAdminGrantInput!
+ ): UpdateMembershipAdminGrantPayload
+
+ """Updates a single `MembershipGrant` using a unique key and a patch."""
+ updateMembershipGrant(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateMembershipGrantInput!
+ ): UpdateMembershipGrantPayload
+
+ """Updates a single `MembershipMember` using a unique key and a patch."""
+ updateMembershipMember(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateMembershipMemberInput!
+ ): UpdateMembershipMemberPayload
+
+ """Updates a single `MembershipMember` using a unique key and a patch."""
+ updateMembershipMemberByActorIdAndEntityId(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateMembershipMemberByActorIdAndEntityIdInput!
+ ): UpdateMembershipMemberPayload
+
+ """
+ Updates a single `MembershipMembershipDefault` using a unique key and a patch.
+ """
+ updateMembershipMembershipDefault(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateMembershipMembershipDefaultInput!
+ ): UpdateMembershipMembershipDefaultPayload
+
+ """
+ Updates a single `MembershipMembershipDefault` using a unique key and a patch.
+ """
+ updateMembershipMembershipDefaultByEntityId(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateMembershipMembershipDefaultByEntityIdInput!
+ ): UpdateMembershipMembershipDefaultPayload
+
+ """
+ Updates a single `MembershipMembership` using a unique key and a patch.
+ """
+ updateMembershipMembership(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateMembershipMembershipInput!
+ ): UpdateMembershipMembershipPayload
+
+ """
+ Updates a single `MembershipMembership` using a unique key and a patch.
+ """
+ updateMembershipMembershipByActorIdAndEntityId(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateMembershipMembershipByActorIdAndEntityIdInput!
+ ): UpdateMembershipMembershipPayload
+
+ """
+ Updates a single `MembershipOwnerGrant` using a unique key and a patch.
+ """
+ updateMembershipOwnerGrant(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateMembershipOwnerGrantInput!
+ ): UpdateMembershipOwnerGrantPayload
+
+ """Updates a single `MembershipType` using a unique key and a patch."""
+ updateMembershipType(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateMembershipTypeInput!
+ ): UpdateMembershipTypePayload
+
+ """Updates a single `MembershipType` using a unique key and a patch."""
+ updateMembershipTypeByName(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateMembershipTypeByNameInput!
+ ): UpdateMembershipTypePayload
+
+ """
+ Updates a single `AppPermissionDefault` using a unique key and a patch.
+ """
+ updateAppPermissionDefault(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateAppPermissionDefaultInput!
+ ): UpdateAppPermissionDefaultPayload
+
+ """Updates a single `AppPermission` using a unique key and a patch."""
+ updateAppPermission(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateAppPermissionInput!
+ ): UpdateAppPermissionPayload
+
+ """Updates a single `AppPermission` using a unique key and a patch."""
+ updateAppPermissionByName(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateAppPermissionByNameInput!
+ ): UpdateAppPermissionPayload
+
+ """Updates a single `AppPermission` using a unique key and a patch."""
+ updateAppPermissionByBitnum(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateAppPermissionByBitnumInput!
+ ): UpdateAppPermissionPayload
+
+ """
+ Updates a single `MembershipPermissionDefault` using a unique key and a patch.
+ """
+ updateMembershipPermissionDefault(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateMembershipPermissionDefaultInput!
+ ): UpdateMembershipPermissionDefaultPayload
+
+ """
+ Updates a single `MembershipPermission` using a unique key and a patch.
+ """
+ updateMembershipPermission(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateMembershipPermissionInput!
+ ): UpdateMembershipPermissionPayload
+
+ """
+ Updates a single `MembershipPermission` using a unique key and a patch.
+ """
+ updateMembershipPermissionByName(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateMembershipPermissionByNameInput!
+ ): UpdateMembershipPermissionPayload
+
+ """
+ Updates a single `MembershipPermission` using a unique key and a patch.
+ """
+ updateMembershipPermissionByBitnum(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateMembershipPermissionByBitnumInput!
+ ): UpdateMembershipPermissionPayload
+
+ """Updates a single `AppLimitDefault` using a unique key and a patch."""
+ updateAppLimitDefault(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateAppLimitDefaultInput!
+ ): UpdateAppLimitDefaultPayload
+
+ """Updates a single `AppLimitDefault` using a unique key and a patch."""
+ updateAppLimitDefaultByName(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateAppLimitDefaultByNameInput!
+ ): UpdateAppLimitDefaultPayload
+
+ """Updates a single `AppLimit` using a unique key and a patch."""
+ updateAppLimit(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateAppLimitInput!
+ ): UpdateAppLimitPayload
+
+ """Updates a single `AppLimit` using a unique key and a patch."""
+ updateAppLimitByNameAndActorId(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateAppLimitByNameAndActorIdInput!
+ ): UpdateAppLimitPayload
+
+ """
+ Updates a single `MembershipLimitDefault` using a unique key and a patch.
+ """
+ updateMembershipLimitDefault(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateMembershipLimitDefaultInput!
+ ): UpdateMembershipLimitDefaultPayload
+
+ """
+ Updates a single `MembershipLimitDefault` using a unique key and a patch.
+ """
+ updateMembershipLimitDefaultByName(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateMembershipLimitDefaultByNameInput!
+ ): UpdateMembershipLimitDefaultPayload
+
+ """Updates a single `MembershipLimit` using a unique key and a patch."""
+ updateMembershipLimit(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateMembershipLimitInput!
+ ): UpdateMembershipLimitPayload
+
+ """Updates a single `MembershipLimit` using a unique key and a patch."""
+ updateMembershipLimitByNameAndActorIdAndEntityId(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateMembershipLimitByNameAndActorIdAndEntityIdInput!
+ ): UpdateMembershipLimitPayload
+
+ """Updates a single `AppAchievement` using a unique key and a patch."""
+ updateAppAchievement(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateAppAchievementInput!
+ ): UpdateAppAchievementPayload
+
+ """Updates a single `AppAchievement` using a unique key and a patch."""
+ updateAppAchievementByActorIdAndName(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateAppAchievementByActorIdAndNameInput!
+ ): UpdateAppAchievementPayload
+
+ """Updates a single `AppLevelRequirement` using a unique key and a patch."""
+ updateAppLevelRequirement(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateAppLevelRequirementInput!
+ ): UpdateAppLevelRequirementPayload
+
+ """Updates a single `AppLevelRequirement` using a unique key and a patch."""
+ updateAppLevelRequirementByNameAndLevel(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateAppLevelRequirementByNameAndLevelInput!
+ ): UpdateAppLevelRequirementPayload
+
+ """Updates a single `AppLevel` using a unique key and a patch."""
+ updateAppLevel(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateAppLevelInput!
+ ): UpdateAppLevelPayload
+
+ """Updates a single `AppLevel` using a unique key and a patch."""
+ updateAppLevelByName(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateAppLevelByNameInput!
+ ): UpdateAppLevelPayload
+
+ """Updates a single `AppStep` using a unique key and a patch."""
+ updateAppStep(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateAppStepInput!
+ ): UpdateAppStepPayload
+
+ """Updates a single `ClaimedInvite` using a unique key and a patch."""
+ updateClaimedInvite(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateClaimedInviteInput!
+ ): UpdateClaimedInvitePayload
+
+ """Updates a single `Invite` using a unique key and a patch."""
+ updateInvite(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateInviteInput!
+ ): UpdateInvitePayload
+
+ """Updates a single `Invite` using a unique key and a patch."""
+ updateInviteByEmailAndSenderId(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateInviteByEmailAndSenderIdInput!
+ ): UpdateInvitePayload
+
+ """Updates a single `Invite` using a unique key and a patch."""
+ updateInviteByInviteToken(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateInviteByInviteTokenInput!
+ ): UpdateInvitePayload
+
+ """
+ Updates a single `MembershipClaimedInvite` using a unique key and a patch.
+ """
+ updateMembershipClaimedInvite(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateMembershipClaimedInviteInput!
+ ): UpdateMembershipClaimedInvitePayload
+
+ """Updates a single `MembershipInvite` using a unique key and a patch."""
+ updateMembershipInvite(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateMembershipInviteInput!
+ ): UpdateMembershipInvitePayload
+
+ """Updates a single `MembershipInvite` using a unique key and a patch."""
+ updateMembershipInviteByEmailAndSenderIdAndEntityId(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateMembershipInviteByEmailAndSenderIdAndEntityIdInput!
+ ): UpdateMembershipInvitePayload
+
+ """Updates a single `MembershipInvite` using a unique key and a patch."""
+ updateMembershipInviteByInviteToken(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateMembershipInviteByInviteTokenInput!
+ ): UpdateMembershipInvitePayload
+
+ """Updates a single `AuditLog` using a unique key and a patch."""
+ updateAuditLog(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UpdateAuditLogInput!
+ ): UpdateAuditLogPayload
+
+ """Deletes a single `Category` using a unique key."""
+ deleteCategory(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteCategoryInput!
+ ): DeleteCategoryPayload
+
+ """Deletes a single `CryptoAddress` using a unique key."""
+ deleteCryptoAddress(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteCryptoAddressInput!
+ ): DeleteCryptoAddressPayload
+
+ """Deletes a single `CryptoAddress` using a unique key."""
+ deleteCryptoAddressByAddress(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteCryptoAddressByAddressInput!
+ ): DeleteCryptoAddressPayload
+
+ """Deletes a single `Email` using a unique key."""
+ deleteEmail(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteEmailInput!
+ ): DeleteEmailPayload
+
+ """Deletes a single `Email` using a unique key."""
+ deleteEmailByEmail(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteEmailByEmailInput!
+ ): DeleteEmailPayload
+
+ """Deletes a single `OrderItem` using a unique key."""
+ deleteOrderItem(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteOrderItemInput!
+ ): DeleteOrderItemPayload
+
+ """Deletes a single `Order` using a unique key."""
+ deleteOrder(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteOrderInput!
+ ): DeleteOrderPayload
+
+ """Deletes a single `PhoneNumber` using a unique key."""
+ deletePhoneNumber(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeletePhoneNumberInput!
+ ): DeletePhoneNumberPayload
+
+ """Deletes a single `PhoneNumber` using a unique key."""
+ deletePhoneNumberByNumber(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeletePhoneNumberByNumberInput!
+ ): DeletePhoneNumberPayload
+
+ """Deletes a single `Product` using a unique key."""
+ deleteProduct(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteProductInput!
+ ): DeleteProductPayload
+
+ """Deletes a single `Review` using a unique key."""
+ deleteReview(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteReviewInput!
+ ): DeleteReviewPayload
+
+ """Deletes a single `RoleType` using a unique key."""
+ deleteRoleType(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteRoleTypeInput!
+ ): DeleteRoleTypePayload
+
+ """Deletes a single `RoleType` using a unique key."""
+ deleteRoleTypeByName(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteRoleTypeByNameInput!
+ ): DeleteRoleTypePayload
+
+ """Deletes a single `User` using a unique key."""
+ deleteUser(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteUserInput!
+ ): DeleteUserPayload
+
+ """Deletes a single `User` using a unique key."""
+ deleteUserByUsername(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteUserByUsernameInput!
+ ): DeleteUserPayload
+
+ """Deletes a single `AppAdminGrant` using a unique key."""
+ deleteAppAdminGrant(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteAppAdminGrantInput!
+ ): DeleteAppAdminGrantPayload
+
+ """Deletes a single `AppGrant` using a unique key."""
+ deleteAppGrant(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteAppGrantInput!
+ ): DeleteAppGrantPayload
+
+ """Deletes a single `AppMembershipDefault` using a unique key."""
+ deleteAppMembershipDefault(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteAppMembershipDefaultInput!
+ ): DeleteAppMembershipDefaultPayload
+
+ """Deletes a single `AppMembership` using a unique key."""
+ deleteAppMembership(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteAppMembershipInput!
+ ): DeleteAppMembershipPayload
+
+ """Deletes a single `AppMembership` using a unique key."""
+ deleteAppMembershipByActorId(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteAppMembershipByActorIdInput!
+ ): DeleteAppMembershipPayload
+
+ """Deletes a single `AppOwnerGrant` using a unique key."""
+ deleteAppOwnerGrant(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteAppOwnerGrantInput!
+ ): DeleteAppOwnerGrantPayload
+
+ """Deletes a single `MembershipAdminGrant` using a unique key."""
+ deleteMembershipAdminGrant(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteMembershipAdminGrantInput!
+ ): DeleteMembershipAdminGrantPayload
+
+ """Deletes a single `MembershipGrant` using a unique key."""
+ deleteMembershipGrant(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteMembershipGrantInput!
+ ): DeleteMembershipGrantPayload
+
+ """Deletes a single `MembershipMember` using a unique key."""
+ deleteMembershipMember(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteMembershipMemberInput!
+ ): DeleteMembershipMemberPayload
+
+ """Deletes a single `MembershipMember` using a unique key."""
+ deleteMembershipMemberByActorIdAndEntityId(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteMembershipMemberByActorIdAndEntityIdInput!
+ ): DeleteMembershipMemberPayload
+
+ """Deletes a single `MembershipMembershipDefault` using a unique key."""
+ deleteMembershipMembershipDefault(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteMembershipMembershipDefaultInput!
+ ): DeleteMembershipMembershipDefaultPayload
+
+ """Deletes a single `MembershipMembershipDefault` using a unique key."""
+ deleteMembershipMembershipDefaultByEntityId(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteMembershipMembershipDefaultByEntityIdInput!
+ ): DeleteMembershipMembershipDefaultPayload
+
+ """Deletes a single `MembershipMembership` using a unique key."""
+ deleteMembershipMembership(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteMembershipMembershipInput!
+ ): DeleteMembershipMembershipPayload
+
+ """Deletes a single `MembershipMembership` using a unique key."""
+ deleteMembershipMembershipByActorIdAndEntityId(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteMembershipMembershipByActorIdAndEntityIdInput!
+ ): DeleteMembershipMembershipPayload
+
+ """Deletes a single `MembershipOwnerGrant` using a unique key."""
+ deleteMembershipOwnerGrant(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteMembershipOwnerGrantInput!
+ ): DeleteMembershipOwnerGrantPayload
+
+ """Deletes a single `MembershipType` using a unique key."""
+ deleteMembershipType(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteMembershipTypeInput!
+ ): DeleteMembershipTypePayload
+
+ """Deletes a single `MembershipType` using a unique key."""
+ deleteMembershipTypeByName(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteMembershipTypeByNameInput!
+ ): DeleteMembershipTypePayload
+
+ """Deletes a single `AppPermissionDefault` using a unique key."""
+ deleteAppPermissionDefault(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteAppPermissionDefaultInput!
+ ): DeleteAppPermissionDefaultPayload
+
+ """Deletes a single `AppPermission` using a unique key."""
+ deleteAppPermission(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteAppPermissionInput!
+ ): DeleteAppPermissionPayload
+
+ """Deletes a single `AppPermission` using a unique key."""
+ deleteAppPermissionByName(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteAppPermissionByNameInput!
+ ): DeleteAppPermissionPayload
+
+ """Deletes a single `AppPermission` using a unique key."""
+ deleteAppPermissionByBitnum(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteAppPermissionByBitnumInput!
+ ): DeleteAppPermissionPayload
+
+ """Deletes a single `MembershipPermissionDefault` using a unique key."""
+ deleteMembershipPermissionDefault(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteMembershipPermissionDefaultInput!
+ ): DeleteMembershipPermissionDefaultPayload
+
+ """Deletes a single `MembershipPermission` using a unique key."""
+ deleteMembershipPermission(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteMembershipPermissionInput!
+ ): DeleteMembershipPermissionPayload
+
+ """Deletes a single `MembershipPermission` using a unique key."""
+ deleteMembershipPermissionByName(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteMembershipPermissionByNameInput!
+ ): DeleteMembershipPermissionPayload
+
+ """Deletes a single `MembershipPermission` using a unique key."""
+ deleteMembershipPermissionByBitnum(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteMembershipPermissionByBitnumInput!
+ ): DeleteMembershipPermissionPayload
+
+ """Deletes a single `AppLimitDefault` using a unique key."""
+ deleteAppLimitDefault(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteAppLimitDefaultInput!
+ ): DeleteAppLimitDefaultPayload
+
+ """Deletes a single `AppLimitDefault` using a unique key."""
+ deleteAppLimitDefaultByName(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteAppLimitDefaultByNameInput!
+ ): DeleteAppLimitDefaultPayload
+
+ """Deletes a single `AppLimit` using a unique key."""
+ deleteAppLimit(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteAppLimitInput!
+ ): DeleteAppLimitPayload
+
+ """Deletes a single `AppLimit` using a unique key."""
+ deleteAppLimitByNameAndActorId(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteAppLimitByNameAndActorIdInput!
+ ): DeleteAppLimitPayload
+
+ """Deletes a single `MembershipLimitDefault` using a unique key."""
+ deleteMembershipLimitDefault(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteMembershipLimitDefaultInput!
+ ): DeleteMembershipLimitDefaultPayload
+
+ """Deletes a single `MembershipLimitDefault` using a unique key."""
+ deleteMembershipLimitDefaultByName(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteMembershipLimitDefaultByNameInput!
+ ): DeleteMembershipLimitDefaultPayload
+
+ """Deletes a single `MembershipLimit` using a unique key."""
+ deleteMembershipLimit(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteMembershipLimitInput!
+ ): DeleteMembershipLimitPayload
+
+ """Deletes a single `MembershipLimit` using a unique key."""
+ deleteMembershipLimitByNameAndActorIdAndEntityId(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteMembershipLimitByNameAndActorIdAndEntityIdInput!
+ ): DeleteMembershipLimitPayload
+
+ """Deletes a single `AppAchievement` using a unique key."""
+ deleteAppAchievement(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteAppAchievementInput!
+ ): DeleteAppAchievementPayload
+
+ """Deletes a single `AppAchievement` using a unique key."""
+ deleteAppAchievementByActorIdAndName(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteAppAchievementByActorIdAndNameInput!
+ ): DeleteAppAchievementPayload
+
+ """Deletes a single `AppLevelRequirement` using a unique key."""
+ deleteAppLevelRequirement(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteAppLevelRequirementInput!
+ ): DeleteAppLevelRequirementPayload
+
+ """Deletes a single `AppLevelRequirement` using a unique key."""
+ deleteAppLevelRequirementByNameAndLevel(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteAppLevelRequirementByNameAndLevelInput!
+ ): DeleteAppLevelRequirementPayload
+
+ """Deletes a single `AppLevel` using a unique key."""
+ deleteAppLevel(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteAppLevelInput!
+ ): DeleteAppLevelPayload
+
+ """Deletes a single `AppLevel` using a unique key."""
+ deleteAppLevelByName(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteAppLevelByNameInput!
+ ): DeleteAppLevelPayload
+
+ """Deletes a single `AppStep` using a unique key."""
+ deleteAppStep(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteAppStepInput!
+ ): DeleteAppStepPayload
+
+ """Deletes a single `ClaimedInvite` using a unique key."""
+ deleteClaimedInvite(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteClaimedInviteInput!
+ ): DeleteClaimedInvitePayload
+
+ """Deletes a single `Invite` using a unique key."""
+ deleteInvite(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteInviteInput!
+ ): DeleteInvitePayload
+
+ """Deletes a single `Invite` using a unique key."""
+ deleteInviteByEmailAndSenderId(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteInviteByEmailAndSenderIdInput!
+ ): DeleteInvitePayload
+
+ """Deletes a single `Invite` using a unique key."""
+ deleteInviteByInviteToken(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteInviteByInviteTokenInput!
+ ): DeleteInvitePayload
+
+ """Deletes a single `MembershipClaimedInvite` using a unique key."""
+ deleteMembershipClaimedInvite(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteMembershipClaimedInviteInput!
+ ): DeleteMembershipClaimedInvitePayload
+
+ """Deletes a single `MembershipInvite` using a unique key."""
+ deleteMembershipInvite(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteMembershipInviteInput!
+ ): DeleteMembershipInvitePayload
+
+ """Deletes a single `MembershipInvite` using a unique key."""
+ deleteMembershipInviteByEmailAndSenderIdAndEntityId(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteMembershipInviteByEmailAndSenderIdAndEntityIdInput!
+ ): DeleteMembershipInvitePayload
+
+ """Deletes a single `MembershipInvite` using a unique key."""
+ deleteMembershipInviteByInviteToken(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteMembershipInviteByInviteTokenInput!
+ ): DeleteMembershipInvitePayload
+
+ """Deletes a single `AuditLog` using a unique key."""
+ deleteAuditLog(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: DeleteAuditLogInput!
+ ): DeleteAuditLogPayload
+ uuidGenerateV4(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: UuidGenerateV4Input!
+ ): UuidGenerateV4Payload
+ submitInviteCode(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: SubmitInviteCodeInput!
+ ): SubmitInviteCodePayload
+ submitMembershipInviteCode(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: SubmitMembershipInviteCodeInput!
+ ): SubmitMembershipInviteCodePayload
+ checkPassword(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: CheckPasswordInput!
+ ): CheckPasswordPayload
+ confirmDeleteAccount(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: ConfirmDeleteAccountInput!
+ ): ConfirmDeleteAccountPayload
+ extendTokenExpires(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: ExtendTokenExpiresInput!
+ ): ExtendTokenExpiresPayload
+ forgotPassword(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: ForgotPasswordInput!
+ ): ForgotPasswordPayload
+ login(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: LoginInput!
+ ): LoginPayload
+ loginOneTimeToken(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: LoginOneTimeTokenInput!
+ ): LoginOneTimeTokenPayload
+ logout(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: LogoutInput!
+ ): LogoutPayload
+ oneTimeToken(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: OneTimeTokenInput!
+ ): OneTimeTokenPayload
+ register(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: RegisterInput!
+ ): RegisterPayload
+ resetPassword(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: ResetPasswordInput!
+ ): ResetPasswordPayload
+ sendAccountDeletionEmail(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: SendAccountDeletionEmailInput!
+ ): SendAccountDeletionEmailPayload
+ sendVerificationEmail(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: SendVerificationEmailInput!
+ ): SendVerificationEmailPayload
+ setPassword(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: SetPasswordInput!
+ ): SetPasswordPayload
+ verifyEmail(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: VerifyEmailInput!
+ ): VerifyEmailPayload
+ verifyPassword(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: VerifyPasswordInput!
+ ): VerifyPasswordPayload
+ verifyTotp(
+ """
+ The exclusive input argument for this mutation. An object type, make sure to see documentation for this object’s fields.
+ """
+ input: VerifyTotpInput!
+ ): VerifyTotpPayload
+}
+
+"""The output of our create `Category` mutation."""
+type CreateCategoryPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `Category` that was created by this mutation."""
+ category: Category
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """An edge for our `Category`. May be used by Relay 1."""
+ categoryEdge(
+ """The method to use when ordering `Category`."""
+ orderBy: [CategoriesOrderBy!] = [PRIMARY_KEY_ASC]
+ ): CategoriesEdge
+}
+
+"""All input for the create `Category` mutation."""
+input CreateCategoryInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `Category` to be created by this mutation."""
+ category: CategoryInput!
+}
+
+"""An input for mutations affecting `Category`"""
+input CategoryInput {
+ id: UUID
+ name: String!
+ description: String
+ slug: String!
+ imageUrl: String
+ isActive: Boolean
+ sortOrder: Int
+ createdAt: Datetime
+}
+
+"""The output of our create `CryptoAddress` mutation."""
+type CreateCryptoAddressPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `CryptoAddress` that was created by this mutation."""
+ cryptoAddress: CryptoAddress
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `CryptoAddress`."""
+ owner: User
+
+ """An edge for our `CryptoAddress`. May be used by Relay 1."""
+ cryptoAddressEdge(
+ """The method to use when ordering `CryptoAddress`."""
+ orderBy: [CryptoAddressesOrderBy!] = [PRIMARY_KEY_ASC]
+ ): CryptoAddressesEdge
+}
+
+"""All input for the create `CryptoAddress` mutation."""
+input CreateCryptoAddressInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `CryptoAddress` to be created by this mutation."""
+ cryptoAddress: CryptoAddressInput!
+}
+
+"""An input for mutations affecting `CryptoAddress`"""
+input CryptoAddressInput {
+ id: UUID
+ ownerId: UUID
+ address: String!
+ isVerified: Boolean
+ isPrimary: Boolean
+ createdAt: Datetime
+ updatedAt: Datetime
+}
+
+"""The output of our create `Email` mutation."""
+type CreateEmailPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `Email` that was created by this mutation."""
+ email: Email
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `Email`."""
+ owner: User
+
+ """An edge for our `Email`. May be used by Relay 1."""
+ emailEdge(
+ """The method to use when ordering `Email`."""
+ orderBy: [EmailsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): EmailsEdge
+}
+
+"""All input for the create `Email` mutation."""
+input CreateEmailInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `Email` to be created by this mutation."""
+ email: EmailInput!
+}
+
+"""An input for mutations affecting `Email`"""
+input EmailInput {
+ id: UUID
+ ownerId: UUID
+ email: String!
+ isVerified: Boolean
+ isPrimary: Boolean
+ createdAt: Datetime
+ updatedAt: Datetime
+}
+
+"""The output of our create `OrderItem` mutation."""
+type CreateOrderItemPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `OrderItem` that was created by this mutation."""
+ orderItem: OrderItem
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `Order` that is related to this `OrderItem`."""
+ order: Order
+
+ """Reads a single `Product` that is related to this `OrderItem`."""
+ product: Product
+
+ """An edge for our `OrderItem`. May be used by Relay 1."""
+ orderItemEdge(
+ """The method to use when ordering `OrderItem`."""
+ orderBy: [OrderItemsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): OrderItemsEdge
+}
+
+"""All input for the create `OrderItem` mutation."""
+input CreateOrderItemInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `OrderItem` to be created by this mutation."""
+ orderItem: OrderItemInput!
+}
+
+"""An input for mutations affecting `OrderItem`"""
+input OrderItemInput {
+ id: UUID
+ quantity: Int!
+ unitPrice: BigFloat!
+ totalPrice: BigFloat!
+ orderId: UUID!
+ productId: UUID!
+}
+
+"""The output of our create `Order` mutation."""
+type CreateOrderPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `Order` that was created by this mutation."""
+ order: Order
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `Order`."""
+ customer: User
+
+ """An edge for our `Order`. May be used by Relay 1."""
+ orderEdge(
+ """The method to use when ordering `Order`."""
+ orderBy: [OrdersOrderBy!] = [PRIMARY_KEY_ASC]
+ ): OrdersEdge
+}
+
+"""All input for the create `Order` mutation."""
+input CreateOrderInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `Order` to be created by this mutation."""
+ order: OrderInput!
+}
+
+"""An input for mutations affecting `Order`"""
+input OrderInput {
+ id: UUID
+ orderNumber: String!
+ status: String!
+ totalAmount: BigFloat!
+ shippingAmount: BigFloat
+ taxAmount: BigFloat
+ notes: String
+ shippedAt: Datetime
+ deliveredAt: Datetime
+ createdAt: Datetime
+ updatedAt: Datetime
+ customerId: UUID!
+}
+
+"""The output of our create `PhoneNumber` mutation."""
+type CreatePhoneNumberPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `PhoneNumber` that was created by this mutation."""
+ phoneNumber: PhoneNumber
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `PhoneNumber`."""
+ owner: User
+
+ """An edge for our `PhoneNumber`. May be used by Relay 1."""
+ phoneNumberEdge(
+ """The method to use when ordering `PhoneNumber`."""
+ orderBy: [PhoneNumbersOrderBy!] = [PRIMARY_KEY_ASC]
+ ): PhoneNumbersEdge
+}
+
+"""All input for the create `PhoneNumber` mutation."""
+input CreatePhoneNumberInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `PhoneNumber` to be created by this mutation."""
+ phoneNumber: PhoneNumberInput!
+}
+
+"""An input for mutations affecting `PhoneNumber`"""
+input PhoneNumberInput {
+ id: UUID
+ ownerId: UUID
+ cc: String!
+ number: String!
+ isVerified: Boolean
+ isPrimary: Boolean
+ createdAt: Datetime
+ updatedAt: Datetime
+}
+
+"""The output of our create `Product` mutation."""
+type CreateProductPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `Product` that was created by this mutation."""
+ product: Product
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `Product`."""
+ seller: User
+
+ """Reads a single `Category` that is related to this `Product`."""
+ category: Category
+
+ """An edge for our `Product`. May be used by Relay 1."""
+ productEdge(
+ """The method to use when ordering `Product`."""
+ orderBy: [ProductsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): ProductsEdge
+}
+
+"""All input for the create `Product` mutation."""
+input CreateProductInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `Product` to be created by this mutation."""
+ product: ProductInput!
+}
+
+"""An input for mutations affecting `Product`"""
+input ProductInput {
+ id: UUID
+ name: String!
+ description: String
+ price: BigFloat!
+ compareAtPrice: BigFloat
+ sku: String
+ inventoryQuantity: Int
+ weight: BigFloat
+ dimensions: String
+ isActive: Boolean
+ isFeatured: Boolean
+ tags: String
+ imageUrls: String
+ createdAt: Datetime
+ updatedAt: Datetime
+ sellerId: UUID!
+ categoryId: UUID
+}
+
+"""The output of our create `Review` mutation."""
+type CreateReviewPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `Review` that was created by this mutation."""
+ review: Review
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `Review`."""
+ user: User
+
+ """Reads a single `Product` that is related to this `Review`."""
+ product: Product
+
+ """An edge for our `Review`. May be used by Relay 1."""
+ reviewEdge(
+ """The method to use when ordering `Review`."""
+ orderBy: [ReviewsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): ReviewsEdge
+}
+
+"""All input for the create `Review` mutation."""
+input CreateReviewInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `Review` to be created by this mutation."""
+ review: ReviewInput!
+}
+
+"""An input for mutations affecting `Review`"""
+input ReviewInput {
+ id: UUID
+ rating: Int!
+ title: String
+ comment: String
+ isVerifiedPurchase: Boolean
+ createdAt: Datetime
+ userId: UUID!
+ productId: UUID!
+}
+
+"""The output of our create `RoleType` mutation."""
+type CreateRoleTypePayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `RoleType` that was created by this mutation."""
+ roleType: RoleType
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """An edge for our `RoleType`. May be used by Relay 1."""
+ roleTypeEdge(
+ """The method to use when ordering `RoleType`."""
+ orderBy: [RoleTypesOrderBy!] = [PRIMARY_KEY_ASC]
+ ): RoleTypesEdge
+}
+
+"""All input for the create `RoleType` mutation."""
+input CreateRoleTypeInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `RoleType` to be created by this mutation."""
+ roleType: RoleTypeInput!
+}
+
+"""An input for mutations affecting `RoleType`"""
+input RoleTypeInput {
+ id: Int!
+ name: String!
+}
+
+"""The output of our create `User` mutation."""
+type CreateUserPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `User` that was created by this mutation."""
+ user: User
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `RoleType` that is related to this `User`."""
+ roleTypeByType: RoleType
+
+ """An edge for our `User`. May be used by Relay 1."""
+ userEdge(
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+ ): UsersEdge
+}
+
+"""All input for the create `User` mutation."""
+input CreateUserInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `User` to be created by this mutation."""
+ user: UserInput!
+}
+
+"""An input for mutations affecting `User`"""
+input UserInput {
+ id: UUID
+ username: String
+ displayName: String
+ profilePicture: JSON
+ searchTsv: FullText
+ type: Int
+ createdAt: Datetime
+ updatedAt: Datetime
+ profilePictureUpload: Upload
+}
+
+"""The `Upload` scalar type represents a file upload."""
+scalar Upload
+
+"""The output of our create `AppAdminGrant` mutation."""
+type CreateAppAdminGrantPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppAdminGrant` that was created by this mutation."""
+ appAdminGrant: AppAdminGrant
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `AppAdminGrant`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `AppAdminGrant`."""
+ grantor: User
+
+ """An edge for our `AppAdminGrant`. May be used by Relay 1."""
+ appAdminGrantEdge(
+ """The method to use when ordering `AppAdminGrant`."""
+ orderBy: [AppAdminGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppAdminGrantsEdge
+}
+
+"""All input for the create `AppAdminGrant` mutation."""
+input CreateAppAdminGrantInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `AppAdminGrant` to be created by this mutation."""
+ appAdminGrant: AppAdminGrantInput!
+}
+
+"""An input for mutations affecting `AppAdminGrant`"""
+input AppAdminGrantInput {
+ id: UUID
+ isGrant: Boolean
+ actorId: UUID!
+ grantorId: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+}
+
+"""The output of our create `AppGrant` mutation."""
+type CreateAppGrantPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppGrant` that was created by this mutation."""
+ appGrant: AppGrant
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `AppGrant`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `AppGrant`."""
+ grantor: User
+
+ """An edge for our `AppGrant`. May be used by Relay 1."""
+ appGrantEdge(
+ """The method to use when ordering `AppGrant`."""
+ orderBy: [AppGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppGrantsEdge
+}
+
+"""All input for the create `AppGrant` mutation."""
+input CreateAppGrantInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `AppGrant` to be created by this mutation."""
+ appGrant: AppGrantInput!
+}
+
+"""An input for mutations affecting `AppGrant`"""
+input AppGrantInput {
+ id: UUID
+ permissions: BitString
+ isGrant: Boolean
+ actorId: UUID!
+ grantorId: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+}
+
+"""The output of our create `AppMembershipDefault` mutation."""
+type CreateAppMembershipDefaultPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppMembershipDefault` that was created by this mutation."""
+ appMembershipDefault: AppMembershipDefault
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """An edge for our `AppMembershipDefault`. May be used by Relay 1."""
+ appMembershipDefaultEdge(
+ """The method to use when ordering `AppMembershipDefault`."""
+ orderBy: [AppMembershipDefaultsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppMembershipDefaultsEdge
+}
+
+"""All input for the create `AppMembershipDefault` mutation."""
+input CreateAppMembershipDefaultInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `AppMembershipDefault` to be created by this mutation."""
+ appMembershipDefault: AppMembershipDefaultInput!
+}
+
+"""An input for mutations affecting `AppMembershipDefault`"""
+input AppMembershipDefaultInput {
+ id: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+ createdBy: UUID
+ updatedBy: UUID
+ isApproved: Boolean
+ isVerified: Boolean
+}
+
+"""The output of our create `AppMembership` mutation."""
+type CreateAppMembershipPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppMembership` that was created by this mutation."""
+ appMembership: AppMembership
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `AppMembership`."""
+ actor: User
+
+ """An edge for our `AppMembership`. May be used by Relay 1."""
+ appMembershipEdge(
+ """The method to use when ordering `AppMembership`."""
+ orderBy: [AppMembershipsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppMembershipsEdge
+}
+
+"""All input for the create `AppMembership` mutation."""
+input CreateAppMembershipInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `AppMembership` to be created by this mutation."""
+ appMembership: AppMembershipInput!
+}
+
+"""An input for mutations affecting `AppMembership`"""
+input AppMembershipInput {
+ id: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+ createdBy: UUID
+ updatedBy: UUID
+ isApproved: Boolean
+ isBanned: Boolean
+ isDisabled: Boolean
+ isVerified: Boolean
+ isActive: Boolean
+ isOwner: Boolean
+ isAdmin: Boolean
+ permissions: BitString
+ granted: BitString
+ actorId: UUID!
+}
+
+"""The output of our create `AppOwnerGrant` mutation."""
+type CreateAppOwnerGrantPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppOwnerGrant` that was created by this mutation."""
+ appOwnerGrant: AppOwnerGrant
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `AppOwnerGrant`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `AppOwnerGrant`."""
+ grantor: User
+
+ """An edge for our `AppOwnerGrant`. May be used by Relay 1."""
+ appOwnerGrantEdge(
+ """The method to use when ordering `AppOwnerGrant`."""
+ orderBy: [AppOwnerGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppOwnerGrantsEdge
+}
+
+"""All input for the create `AppOwnerGrant` mutation."""
+input CreateAppOwnerGrantInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `AppOwnerGrant` to be created by this mutation."""
+ appOwnerGrant: AppOwnerGrantInput!
+}
+
+"""An input for mutations affecting `AppOwnerGrant`"""
+input AppOwnerGrantInput {
+ id: UUID
+ isGrant: Boolean
+ actorId: UUID!
+ grantorId: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+}
+
+"""The output of our create `MembershipAdminGrant` mutation."""
+type CreateMembershipAdminGrantPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipAdminGrant` that was created by this mutation."""
+ membershipAdminGrant: MembershipAdminGrant
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `MembershipAdminGrant`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `MembershipAdminGrant`."""
+ entity: User
+
+ """Reads a single `User` that is related to this `MembershipAdminGrant`."""
+ grantor: User
+
+ """An edge for our `MembershipAdminGrant`. May be used by Relay 1."""
+ membershipAdminGrantEdge(
+ """The method to use when ordering `MembershipAdminGrant`."""
+ orderBy: [MembershipAdminGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipAdminGrantsEdge
+}
+
+"""All input for the create `MembershipAdminGrant` mutation."""
+input CreateMembershipAdminGrantInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `MembershipAdminGrant` to be created by this mutation."""
+ membershipAdminGrant: MembershipAdminGrantInput!
+}
+
+"""An input for mutations affecting `MembershipAdminGrant`"""
+input MembershipAdminGrantInput {
+ id: UUID
+ isGrant: Boolean
+ actorId: UUID!
+ entityId: UUID!
+ grantorId: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+}
+
+"""The output of our create `MembershipGrant` mutation."""
+type CreateMembershipGrantPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipGrant` that was created by this mutation."""
+ membershipGrant: MembershipGrant
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `MembershipGrant`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `MembershipGrant`."""
+ entity: User
+
+ """Reads a single `User` that is related to this `MembershipGrant`."""
+ grantor: User
+
+ """An edge for our `MembershipGrant`. May be used by Relay 1."""
+ membershipGrantEdge(
+ """The method to use when ordering `MembershipGrant`."""
+ orderBy: [MembershipGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipGrantsEdge
+}
+
+"""All input for the create `MembershipGrant` mutation."""
+input CreateMembershipGrantInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `MembershipGrant` to be created by this mutation."""
+ membershipGrant: MembershipGrantInput!
+}
+
+"""An input for mutations affecting `MembershipGrant`"""
+input MembershipGrantInput {
+ id: UUID
+ permissions: BitString
+ isGrant: Boolean
+ actorId: UUID!
+ entityId: UUID!
+ grantorId: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+}
+
+"""The output of our create `MembershipMember` mutation."""
+type CreateMembershipMemberPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipMember` that was created by this mutation."""
+ membershipMember: MembershipMember
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `MembershipMember`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `MembershipMember`."""
+ entity: User
+
+ """An edge for our `MembershipMember`. May be used by Relay 1."""
+ membershipMemberEdge(
+ """The method to use when ordering `MembershipMember`."""
+ orderBy: [MembershipMembersOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipMembersEdge
+}
+
+"""All input for the create `MembershipMember` mutation."""
+input CreateMembershipMemberInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `MembershipMember` to be created by this mutation."""
+ membershipMember: MembershipMemberInput!
+}
+
+"""An input for mutations affecting `MembershipMember`"""
+input MembershipMemberInput {
+ id: UUID
+ isAdmin: Boolean
+ actorId: UUID!
+ entityId: UUID!
+}
+
+"""The output of our create `MembershipMembershipDefault` mutation."""
+type CreateMembershipMembershipDefaultPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipMembershipDefault` that was created by this mutation."""
+ membershipMembershipDefault: MembershipMembershipDefault
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """
+ Reads a single `User` that is related to this `MembershipMembershipDefault`.
+ """
+ entity: User
+
+ """An edge for our `MembershipMembershipDefault`. May be used by Relay 1."""
+ membershipMembershipDefaultEdge(
+ """The method to use when ordering `MembershipMembershipDefault`."""
+ orderBy: [MembershipMembershipDefaultsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipMembershipDefaultsEdge
+}
+
+"""All input for the create `MembershipMembershipDefault` mutation."""
+input CreateMembershipMembershipDefaultInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `MembershipMembershipDefault` to be created by this mutation."""
+ membershipMembershipDefault: MembershipMembershipDefaultInput!
+}
+
+"""An input for mutations affecting `MembershipMembershipDefault`"""
+input MembershipMembershipDefaultInput {
+ id: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+ createdBy: UUID
+ updatedBy: UUID
+ isApproved: Boolean
+ entityId: UUID!
+ deleteMemberCascadeGroups: Boolean
+ createGroupsCascadeMembers: Boolean
+}
+
+"""The output of our create `MembershipMembership` mutation."""
+type CreateMembershipMembershipPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipMembership` that was created by this mutation."""
+ membershipMembership: MembershipMembership
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `MembershipMembership`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `MembershipMembership`."""
+ entity: User
+
+ """An edge for our `MembershipMembership`. May be used by Relay 1."""
+ membershipMembershipEdge(
+ """The method to use when ordering `MembershipMembership`."""
+ orderBy: [MembershipMembershipsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipMembershipsEdge
+}
+
+"""All input for the create `MembershipMembership` mutation."""
+input CreateMembershipMembershipInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `MembershipMembership` to be created by this mutation."""
+ membershipMembership: MembershipMembershipInput!
+}
+
+"""An input for mutations affecting `MembershipMembership`"""
+input MembershipMembershipInput {
+ id: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+ createdBy: UUID
+ updatedBy: UUID
+ isApproved: Boolean
+ isBanned: Boolean
+ isDisabled: Boolean
+ isActive: Boolean
+ isOwner: Boolean
+ isAdmin: Boolean
+ permissions: BitString
+ granted: BitString
+ actorId: UUID!
+ entityId: UUID!
+}
+
+"""The output of our create `MembershipOwnerGrant` mutation."""
+type CreateMembershipOwnerGrantPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipOwnerGrant` that was created by this mutation."""
+ membershipOwnerGrant: MembershipOwnerGrant
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `MembershipOwnerGrant`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `MembershipOwnerGrant`."""
+ entity: User
+
+ """Reads a single `User` that is related to this `MembershipOwnerGrant`."""
+ grantor: User
+
+ """An edge for our `MembershipOwnerGrant`. May be used by Relay 1."""
+ membershipOwnerGrantEdge(
+ """The method to use when ordering `MembershipOwnerGrant`."""
+ orderBy: [MembershipOwnerGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipOwnerGrantsEdge
+}
+
+"""All input for the create `MembershipOwnerGrant` mutation."""
+input CreateMembershipOwnerGrantInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `MembershipOwnerGrant` to be created by this mutation."""
+ membershipOwnerGrant: MembershipOwnerGrantInput!
+}
+
+"""An input for mutations affecting `MembershipOwnerGrant`"""
+input MembershipOwnerGrantInput {
+ id: UUID
+ isGrant: Boolean
+ actorId: UUID!
+ entityId: UUID!
+ grantorId: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+}
+
+"""The output of our create `MembershipType` mutation."""
+type CreateMembershipTypePayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipType` that was created by this mutation."""
+ membershipType: MembershipType
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """An edge for our `MembershipType`. May be used by Relay 1."""
+ membershipTypeEdge(
+ """The method to use when ordering `MembershipType`."""
+ orderBy: [MembershipTypesOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipTypesEdge
+}
+
+"""All input for the create `MembershipType` mutation."""
+input CreateMembershipTypeInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `MembershipType` to be created by this mutation."""
+ membershipType: MembershipTypeInput!
+}
+
+"""An input for mutations affecting `MembershipType`"""
+input MembershipTypeInput {
+ id: Int!
+ name: String!
+ description: String!
+ prefix: String!
+}
+
+"""The output of our create `AppPermissionDefault` mutation."""
+type CreateAppPermissionDefaultPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppPermissionDefault` that was created by this mutation."""
+ appPermissionDefault: AppPermissionDefault
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """An edge for our `AppPermissionDefault`. May be used by Relay 1."""
+ appPermissionDefaultEdge(
+ """The method to use when ordering `AppPermissionDefault`."""
+ orderBy: [AppPermissionDefaultsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppPermissionDefaultsEdge
+}
+
+"""All input for the create `AppPermissionDefault` mutation."""
+input CreateAppPermissionDefaultInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `AppPermissionDefault` to be created by this mutation."""
+ appPermissionDefault: AppPermissionDefaultInput!
+}
+
+"""An input for mutations affecting `AppPermissionDefault`"""
+input AppPermissionDefaultInput {
+ id: UUID
+ permissions: BitString
+}
+
+"""The output of our create `AppPermission` mutation."""
+type CreateAppPermissionPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppPermission` that was created by this mutation."""
+ appPermission: AppPermission
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """An edge for our `AppPermission`. May be used by Relay 1."""
+ appPermissionEdge(
+ """The method to use when ordering `AppPermission`."""
+ orderBy: [AppPermissionsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppPermissionsEdge
+}
+
+"""All input for the create `AppPermission` mutation."""
+input CreateAppPermissionInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `AppPermission` to be created by this mutation."""
+ appPermission: AppPermissionInput!
+}
+
+"""An input for mutations affecting `AppPermission`"""
+input AppPermissionInput {
+ id: UUID
+ name: String
+ bitnum: Int
+ bitstr: BitString
+ description: String
+}
+
+"""The output of our create `MembershipPermissionDefault` mutation."""
+type CreateMembershipPermissionDefaultPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipPermissionDefault` that was created by this mutation."""
+ membershipPermissionDefault: MembershipPermissionDefault
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """
+ Reads a single `User` that is related to this `MembershipPermissionDefault`.
+ """
+ entity: User
+
+ """An edge for our `MembershipPermissionDefault`. May be used by Relay 1."""
+ membershipPermissionDefaultEdge(
+ """The method to use when ordering `MembershipPermissionDefault`."""
+ orderBy: [MembershipPermissionDefaultsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipPermissionDefaultsEdge
+}
+
+"""All input for the create `MembershipPermissionDefault` mutation."""
+input CreateMembershipPermissionDefaultInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `MembershipPermissionDefault` to be created by this mutation."""
+ membershipPermissionDefault: MembershipPermissionDefaultInput!
+}
+
+"""An input for mutations affecting `MembershipPermissionDefault`"""
+input MembershipPermissionDefaultInput {
+ id: UUID
+ permissions: BitString
+ entityId: UUID!
+}
+
+"""The output of our create `MembershipPermission` mutation."""
+type CreateMembershipPermissionPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipPermission` that was created by this mutation."""
+ membershipPermission: MembershipPermission
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """An edge for our `MembershipPermission`. May be used by Relay 1."""
+ membershipPermissionEdge(
+ """The method to use when ordering `MembershipPermission`."""
+ orderBy: [MembershipPermissionsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipPermissionsEdge
+}
+
+"""All input for the create `MembershipPermission` mutation."""
+input CreateMembershipPermissionInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `MembershipPermission` to be created by this mutation."""
+ membershipPermission: MembershipPermissionInput!
+}
+
+"""An input for mutations affecting `MembershipPermission`"""
+input MembershipPermissionInput {
+ id: UUID
+ name: String
+ bitnum: Int
+ bitstr: BitString
+ description: String
+}
+
+"""The output of our create `AppLimitDefault` mutation."""
+type CreateAppLimitDefaultPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppLimitDefault` that was created by this mutation."""
+ appLimitDefault: AppLimitDefault
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """An edge for our `AppLimitDefault`. May be used by Relay 1."""
+ appLimitDefaultEdge(
+ """The method to use when ordering `AppLimitDefault`."""
+ orderBy: [AppLimitDefaultsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppLimitDefaultsEdge
+}
+
+"""All input for the create `AppLimitDefault` mutation."""
+input CreateAppLimitDefaultInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `AppLimitDefault` to be created by this mutation."""
+ appLimitDefault: AppLimitDefaultInput!
+}
+
+"""An input for mutations affecting `AppLimitDefault`"""
+input AppLimitDefaultInput {
+ id: UUID
+ name: String!
+ max: Int
+}
+
+"""The output of our create `AppLimit` mutation."""
+type CreateAppLimitPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppLimit` that was created by this mutation."""
+ appLimit: AppLimit
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `AppLimit`."""
+ actor: User
+
+ """An edge for our `AppLimit`. May be used by Relay 1."""
+ appLimitEdge(
+ """The method to use when ordering `AppLimit`."""
+ orderBy: [AppLimitsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppLimitsEdge
+}
+
+"""All input for the create `AppLimit` mutation."""
+input CreateAppLimitInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `AppLimit` to be created by this mutation."""
+ appLimit: AppLimitInput!
+}
+
+"""An input for mutations affecting `AppLimit`"""
+input AppLimitInput {
+ id: UUID
+ name: String
+ actorId: UUID!
+ num: Int
+ max: Int
+}
+
+"""The output of our create `MembershipLimitDefault` mutation."""
+type CreateMembershipLimitDefaultPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipLimitDefault` that was created by this mutation."""
+ membershipLimitDefault: MembershipLimitDefault
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """An edge for our `MembershipLimitDefault`. May be used by Relay 1."""
+ membershipLimitDefaultEdge(
+ """The method to use when ordering `MembershipLimitDefault`."""
+ orderBy: [MembershipLimitDefaultsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipLimitDefaultsEdge
+}
+
+"""All input for the create `MembershipLimitDefault` mutation."""
+input CreateMembershipLimitDefaultInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `MembershipLimitDefault` to be created by this mutation."""
+ membershipLimitDefault: MembershipLimitDefaultInput!
+}
+
+"""An input for mutations affecting `MembershipLimitDefault`"""
+input MembershipLimitDefaultInput {
+ id: UUID
+ name: String!
+ max: Int
+}
+
+"""The output of our create `MembershipLimit` mutation."""
+type CreateMembershipLimitPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipLimit` that was created by this mutation."""
+ membershipLimit: MembershipLimit
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `MembershipLimit`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `MembershipLimit`."""
+ entity: User
+
+ """An edge for our `MembershipLimit`. May be used by Relay 1."""
+ membershipLimitEdge(
+ """The method to use when ordering `MembershipLimit`."""
+ orderBy: [MembershipLimitsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipLimitsEdge
+}
+
+"""All input for the create `MembershipLimit` mutation."""
+input CreateMembershipLimitInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `MembershipLimit` to be created by this mutation."""
+ membershipLimit: MembershipLimitInput!
+}
+
+"""An input for mutations affecting `MembershipLimit`"""
+input MembershipLimitInput {
+ id: UUID
+ name: String
+ actorId: UUID!
+ num: Int
+ max: Int
+ entityId: UUID!
+}
+
+"""The output of our create `AppAchievement` mutation."""
+type CreateAppAchievementPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppAchievement` that was created by this mutation."""
+ appAchievement: AppAchievement
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `AppAchievement`."""
+ actor: User
+
+ """An edge for our `AppAchievement`. May be used by Relay 1."""
+ appAchievementEdge(
+ """The method to use when ordering `AppAchievement`."""
+ orderBy: [AppAchievementsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppAchievementsEdge
+}
+
+"""All input for the create `AppAchievement` mutation."""
+input CreateAppAchievementInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `AppAchievement` to be created by this mutation."""
+ appAchievement: AppAchievementInput!
+}
+
+"""An input for mutations affecting `AppAchievement`"""
+input AppAchievementInput {
+ id: UUID
+ actorId: UUID
+ name: String!
+ count: Int
+ createdAt: Datetime
+ updatedAt: Datetime
+}
+
+"""The output of our create `AppLevelRequirement` mutation."""
+type CreateAppLevelRequirementPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppLevelRequirement` that was created by this mutation."""
+ appLevelRequirement: AppLevelRequirement
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """An edge for our `AppLevelRequirement`. May be used by Relay 1."""
+ appLevelRequirementEdge(
+ """The method to use when ordering `AppLevelRequirement`."""
+ orderBy: [AppLevelRequirementsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppLevelRequirementsEdge
+}
+
+"""All input for the create `AppLevelRequirement` mutation."""
+input CreateAppLevelRequirementInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `AppLevelRequirement` to be created by this mutation."""
+ appLevelRequirement: AppLevelRequirementInput!
+}
+
+"""An input for mutations affecting `AppLevelRequirement`"""
+input AppLevelRequirementInput {
+ id: UUID
+ name: String!
+ level: String!
+ description: String
+ requiredCount: Int
+ priority: Int
+ createdAt: Datetime
+ updatedAt: Datetime
+}
+
+"""The output of our create `AppLevel` mutation."""
+type CreateAppLevelPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppLevel` that was created by this mutation."""
+ appLevel: AppLevel
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `AppLevel`."""
+ owner: User
+
+ """An edge for our `AppLevel`. May be used by Relay 1."""
+ appLevelEdge(
+ """The method to use when ordering `AppLevel`."""
+ orderBy: [AppLevelsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppLevelsEdge
+}
+
+"""All input for the create `AppLevel` mutation."""
+input CreateAppLevelInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `AppLevel` to be created by this mutation."""
+ appLevel: AppLevelInput!
+}
+
+"""An input for mutations affecting `AppLevel`"""
+input AppLevelInput {
+ id: UUID
+ name: String!
+ description: String
+ image: JSON
+ ownerId: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+ imageUpload: Upload
+}
+
+"""The output of our create `AppStep` mutation."""
+type CreateAppStepPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppStep` that was created by this mutation."""
+ appStep: AppStep
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `AppStep`."""
+ actor: User
+
+ """An edge for our `AppStep`. May be used by Relay 1."""
+ appStepEdge(
+ """The method to use when ordering `AppStep`."""
+ orderBy: [AppStepsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppStepsEdge
+}
+
+"""All input for the create `AppStep` mutation."""
+input CreateAppStepInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `AppStep` to be created by this mutation."""
+ appStep: AppStepInput!
+}
+
+"""An input for mutations affecting `AppStep`"""
+input AppStepInput {
+ id: UUID
+ actorId: UUID
+ name: String!
+ count: Int
+ createdAt: Datetime
+ updatedAt: Datetime
+}
+
+"""The output of our create `ClaimedInvite` mutation."""
+type CreateClaimedInvitePayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `ClaimedInvite` that was created by this mutation."""
+ claimedInvite: ClaimedInvite
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `ClaimedInvite`."""
+ sender: User
+
+ """Reads a single `User` that is related to this `ClaimedInvite`."""
+ receiver: User
+
+ """An edge for our `ClaimedInvite`. May be used by Relay 1."""
+ claimedInviteEdge(
+ """The method to use when ordering `ClaimedInvite`."""
+ orderBy: [ClaimedInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+ ): ClaimedInvitesEdge
+}
+
+"""All input for the create `ClaimedInvite` mutation."""
+input CreateClaimedInviteInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `ClaimedInvite` to be created by this mutation."""
+ claimedInvite: ClaimedInviteInput!
+}
+
+"""An input for mutations affecting `ClaimedInvite`"""
+input ClaimedInviteInput {
+ id: UUID
+ data: JSON
+ senderId: UUID
+ receiverId: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+}
+
+"""The output of our create `Invite` mutation."""
+type CreateInvitePayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `Invite` that was created by this mutation."""
+ invite: Invite
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `Invite`."""
+ sender: User
+
+ """An edge for our `Invite`. May be used by Relay 1."""
+ inviteEdge(
+ """The method to use when ordering `Invite`."""
+ orderBy: [InvitesOrderBy!] = [PRIMARY_KEY_ASC]
+ ): InvitesEdge
+}
+
+"""All input for the create `Invite` mutation."""
+input CreateInviteInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `Invite` to be created by this mutation."""
+ invite: InviteInput!
+}
+
+"""An input for mutations affecting `Invite`"""
+input InviteInput {
+ id: UUID
+ email: String
+ senderId: UUID
+ inviteToken: String
+ inviteValid: Boolean
+ inviteLimit: Int
+ inviteCount: Int
+ multiple: Boolean
+ data: JSON
+ expiresAt: Datetime
+ createdAt: Datetime
+ updatedAt: Datetime
+}
+
+"""The output of our create `MembershipClaimedInvite` mutation."""
+type CreateMembershipClaimedInvitePayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipClaimedInvite` that was created by this mutation."""
+ membershipClaimedInvite: MembershipClaimedInvite
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """
+ Reads a single `User` that is related to this `MembershipClaimedInvite`.
+ """
+ sender: User
+
+ """
+ Reads a single `User` that is related to this `MembershipClaimedInvite`.
+ """
+ receiver: User
+
+ """
+ Reads a single `User` that is related to this `MembershipClaimedInvite`.
+ """
+ entity: User
+
+ """An edge for our `MembershipClaimedInvite`. May be used by Relay 1."""
+ membershipClaimedInviteEdge(
+ """The method to use when ordering `MembershipClaimedInvite`."""
+ orderBy: [MembershipClaimedInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipClaimedInvitesEdge
+}
+
+"""All input for the create `MembershipClaimedInvite` mutation."""
+input CreateMembershipClaimedInviteInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `MembershipClaimedInvite` to be created by this mutation."""
+ membershipClaimedInvite: MembershipClaimedInviteInput!
+}
+
+"""An input for mutations affecting `MembershipClaimedInvite`"""
+input MembershipClaimedInviteInput {
+ id: UUID
+ data: JSON
+ senderId: UUID
+ receiverId: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+ entityId: UUID!
+}
+
+"""The output of our create `MembershipInvite` mutation."""
+type CreateMembershipInvitePayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipInvite` that was created by this mutation."""
+ membershipInvite: MembershipInvite
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `MembershipInvite`."""
+ sender: User
+
+ """Reads a single `User` that is related to this `MembershipInvite`."""
+ receiver: User
+
+ """Reads a single `User` that is related to this `MembershipInvite`."""
+ entity: User
+
+ """An edge for our `MembershipInvite`. May be used by Relay 1."""
+ membershipInviteEdge(
+ """The method to use when ordering `MembershipInvite`."""
+ orderBy: [MembershipInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipInvitesEdge
+}
+
+"""All input for the create `MembershipInvite` mutation."""
+input CreateMembershipInviteInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `MembershipInvite` to be created by this mutation."""
+ membershipInvite: MembershipInviteInput!
+}
+
+"""An input for mutations affecting `MembershipInvite`"""
+input MembershipInviteInput {
+ id: UUID
+ email: String
+ senderId: UUID
+ receiverId: UUID
+ inviteToken: String
+ inviteValid: Boolean
+ inviteLimit: Int
+ inviteCount: Int
+ multiple: Boolean
+ data: JSON
+ expiresAt: Datetime
+ createdAt: Datetime
+ updatedAt: Datetime
+ entityId: UUID!
+}
+
+"""The output of our create `AuditLog` mutation."""
+type CreateAuditLogPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AuditLog` that was created by this mutation."""
+ auditLog: AuditLog
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `AuditLog`."""
+ actor: User
+
+ """An edge for our `AuditLog`. May be used by Relay 1."""
+ auditLogEdge(
+ """The method to use when ordering `AuditLog`."""
+ orderBy: [AuditLogsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AuditLogsEdge
+}
+
+"""All input for the create `AuditLog` mutation."""
+input CreateAuditLogInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """The `AuditLog` to be created by this mutation."""
+ auditLog: AuditLogInput!
+}
+
+"""An input for mutations affecting `AuditLog`"""
+input AuditLogInput {
+ id: UUID
+ event: String!
+ actorId: UUID
+ origin: String
+ userAgent: String
+ ipAddress: InternetAddress
+ success: Boolean!
+ createdAt: Datetime
+}
+
+"""The output of our update `Category` mutation."""
+type UpdateCategoryPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `Category` that was updated by this mutation."""
+ category: Category
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """An edge for our `Category`. May be used by Relay 1."""
+ categoryEdge(
+ """The method to use when ordering `Category`."""
+ orderBy: [CategoriesOrderBy!] = [PRIMARY_KEY_ASC]
+ ): CategoriesEdge
+}
+
+"""All input for the `updateCategory` mutation."""
+input UpdateCategoryInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `Category` being updated.
+ """
+ patch: CategoryPatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `Category`. Fields that are set will be updated.
+"""
+input CategoryPatch {
+ id: UUID
+ name: String
+ description: String
+ slug: String
+ imageUrl: String
+ isActive: Boolean
+ sortOrder: Int
+ createdAt: Datetime
+}
+
+"""The output of our update `CryptoAddress` mutation."""
+type UpdateCryptoAddressPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `CryptoAddress` that was updated by this mutation."""
+ cryptoAddress: CryptoAddress
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `CryptoAddress`."""
+ owner: User
+
+ """An edge for our `CryptoAddress`. May be used by Relay 1."""
+ cryptoAddressEdge(
+ """The method to use when ordering `CryptoAddress`."""
+ orderBy: [CryptoAddressesOrderBy!] = [PRIMARY_KEY_ASC]
+ ): CryptoAddressesEdge
+}
+
+"""All input for the `updateCryptoAddress` mutation."""
+input UpdateCryptoAddressInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `CryptoAddress` being updated.
+ """
+ patch: CryptoAddressPatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `CryptoAddress`. Fields that are set will be updated.
+"""
+input CryptoAddressPatch {
+ id: UUID
+ ownerId: UUID
+ address: String
+ isVerified: Boolean
+ isPrimary: Boolean
+ createdAt: Datetime
+ updatedAt: Datetime
+}
+
+"""All input for the `updateCryptoAddressByAddress` mutation."""
+input UpdateCryptoAddressByAddressInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `CryptoAddress` being updated.
+ """
+ patch: CryptoAddressPatch!
+ address: String!
+}
+
+"""The output of our update `Email` mutation."""
+type UpdateEmailPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `Email` that was updated by this mutation."""
+ email: Email
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `Email`."""
+ owner: User
+
+ """An edge for our `Email`. May be used by Relay 1."""
+ emailEdge(
+ """The method to use when ordering `Email`."""
+ orderBy: [EmailsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): EmailsEdge
+}
+
+"""All input for the `updateEmail` mutation."""
+input UpdateEmailInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `Email` being updated.
+ """
+ patch: EmailPatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `Email`. Fields that are set will be updated.
+"""
+input EmailPatch {
+ id: UUID
+ ownerId: UUID
+ email: String
+ isVerified: Boolean
+ isPrimary: Boolean
+ createdAt: Datetime
+ updatedAt: Datetime
+}
+
+"""All input for the `updateEmailByEmail` mutation."""
+input UpdateEmailByEmailInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `Email` being updated.
+ """
+ patch: EmailPatch!
+ email: String!
+}
+
+"""The output of our update `OrderItem` mutation."""
+type UpdateOrderItemPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `OrderItem` that was updated by this mutation."""
+ orderItem: OrderItem
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `Order` that is related to this `OrderItem`."""
+ order: Order
+
+ """Reads a single `Product` that is related to this `OrderItem`."""
+ product: Product
+
+ """An edge for our `OrderItem`. May be used by Relay 1."""
+ orderItemEdge(
+ """The method to use when ordering `OrderItem`."""
+ orderBy: [OrderItemsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): OrderItemsEdge
+}
+
+"""All input for the `updateOrderItem` mutation."""
+input UpdateOrderItemInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `OrderItem` being updated.
+ """
+ patch: OrderItemPatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `OrderItem`. Fields that are set will be updated.
+"""
+input OrderItemPatch {
+ id: UUID
+ quantity: Int
+ unitPrice: BigFloat
+ totalPrice: BigFloat
+ orderId: UUID
+ productId: UUID
+}
+
+"""The output of our update `Order` mutation."""
+type UpdateOrderPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `Order` that was updated by this mutation."""
+ order: Order
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `Order`."""
+ customer: User
+
+ """An edge for our `Order`. May be used by Relay 1."""
+ orderEdge(
+ """The method to use when ordering `Order`."""
+ orderBy: [OrdersOrderBy!] = [PRIMARY_KEY_ASC]
+ ): OrdersEdge
+}
+
+"""All input for the `updateOrder` mutation."""
+input UpdateOrderInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `Order` being updated.
+ """
+ patch: OrderPatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `Order`. Fields that are set will be updated.
+"""
+input OrderPatch {
+ id: UUID
+ orderNumber: String
+ status: String
+ totalAmount: BigFloat
+ shippingAmount: BigFloat
+ taxAmount: BigFloat
+ notes: String
+ shippedAt: Datetime
+ deliveredAt: Datetime
+ createdAt: Datetime
+ updatedAt: Datetime
+ customerId: UUID
+}
+
+"""The output of our update `PhoneNumber` mutation."""
+type UpdatePhoneNumberPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `PhoneNumber` that was updated by this mutation."""
+ phoneNumber: PhoneNumber
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `PhoneNumber`."""
+ owner: User
+
+ """An edge for our `PhoneNumber`. May be used by Relay 1."""
+ phoneNumberEdge(
+ """The method to use when ordering `PhoneNumber`."""
+ orderBy: [PhoneNumbersOrderBy!] = [PRIMARY_KEY_ASC]
+ ): PhoneNumbersEdge
+}
+
+"""All input for the `updatePhoneNumber` mutation."""
+input UpdatePhoneNumberInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `PhoneNumber` being updated.
+ """
+ patch: PhoneNumberPatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `PhoneNumber`. Fields that are set will be updated.
+"""
+input PhoneNumberPatch {
+ id: UUID
+ ownerId: UUID
+ cc: String
+ number: String
+ isVerified: Boolean
+ isPrimary: Boolean
+ createdAt: Datetime
+ updatedAt: Datetime
+}
+
+"""All input for the `updatePhoneNumberByNumber` mutation."""
+input UpdatePhoneNumberByNumberInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `PhoneNumber` being updated.
+ """
+ patch: PhoneNumberPatch!
+ number: String!
+}
+
+"""The output of our update `Product` mutation."""
+type UpdateProductPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `Product` that was updated by this mutation."""
+ product: Product
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `Product`."""
+ seller: User
+
+ """Reads a single `Category` that is related to this `Product`."""
+ category: Category
+
+ """An edge for our `Product`. May be used by Relay 1."""
+ productEdge(
+ """The method to use when ordering `Product`."""
+ orderBy: [ProductsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): ProductsEdge
+}
+
+"""All input for the `updateProduct` mutation."""
+input UpdateProductInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `Product` being updated.
+ """
+ patch: ProductPatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `Product`. Fields that are set will be updated.
+"""
+input ProductPatch {
+ id: UUID
+ name: String
+ description: String
+ price: BigFloat
+ compareAtPrice: BigFloat
+ sku: String
+ inventoryQuantity: Int
+ weight: BigFloat
+ dimensions: String
+ isActive: Boolean
+ isFeatured: Boolean
+ tags: String
+ imageUrls: String
+ createdAt: Datetime
+ updatedAt: Datetime
+ sellerId: UUID
+ categoryId: UUID
+}
+
+"""The output of our update `Review` mutation."""
+type UpdateReviewPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `Review` that was updated by this mutation."""
+ review: Review
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `Review`."""
+ user: User
+
+ """Reads a single `Product` that is related to this `Review`."""
+ product: Product
+
+ """An edge for our `Review`. May be used by Relay 1."""
+ reviewEdge(
+ """The method to use when ordering `Review`."""
+ orderBy: [ReviewsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): ReviewsEdge
+}
+
+"""All input for the `updateReview` mutation."""
+input UpdateReviewInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `Review` being updated.
+ """
+ patch: ReviewPatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `Review`. Fields that are set will be updated.
+"""
+input ReviewPatch {
+ id: UUID
+ rating: Int
+ title: String
+ comment: String
+ isVerifiedPurchase: Boolean
+ createdAt: Datetime
+ userId: UUID
+ productId: UUID
+}
+
+"""The output of our update `RoleType` mutation."""
+type UpdateRoleTypePayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `RoleType` that was updated by this mutation."""
+ roleType: RoleType
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """An edge for our `RoleType`. May be used by Relay 1."""
+ roleTypeEdge(
+ """The method to use when ordering `RoleType`."""
+ orderBy: [RoleTypesOrderBy!] = [PRIMARY_KEY_ASC]
+ ): RoleTypesEdge
+}
+
+"""All input for the `updateRoleType` mutation."""
+input UpdateRoleTypeInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `RoleType` being updated.
+ """
+ patch: RoleTypePatch!
+ id: Int!
+}
+
+"""
+Represents an update to a `RoleType`. Fields that are set will be updated.
+"""
+input RoleTypePatch {
+ id: Int
+ name: String
+}
+
+"""All input for the `updateRoleTypeByName` mutation."""
+input UpdateRoleTypeByNameInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `RoleType` being updated.
+ """
+ patch: RoleTypePatch!
+ name: String!
+}
+
+"""The output of our update `User` mutation."""
+type UpdateUserPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `User` that was updated by this mutation."""
+ user: User
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `RoleType` that is related to this `User`."""
+ roleTypeByType: RoleType
+
+ """An edge for our `User`. May be used by Relay 1."""
+ userEdge(
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+ ): UsersEdge
+}
+
+"""All input for the `updateUser` mutation."""
+input UpdateUserInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `User` being updated.
+ """
+ patch: UserPatch!
+ id: UUID!
+}
+
+"""Represents an update to a `User`. Fields that are set will be updated."""
+input UserPatch {
+ id: UUID
+ username: String
+ displayName: String
+ profilePicture: JSON
+ searchTsv: FullText
+ type: Int
+ createdAt: Datetime
+ updatedAt: Datetime
+ profilePictureUpload: Upload
+}
+
+"""All input for the `updateUserByUsername` mutation."""
+input UpdateUserByUsernameInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `User` being updated.
+ """
+ patch: UserPatch!
+ username: String!
+}
+
+"""The output of our update `AppAdminGrant` mutation."""
+type UpdateAppAdminGrantPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppAdminGrant` that was updated by this mutation."""
+ appAdminGrant: AppAdminGrant
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `AppAdminGrant`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `AppAdminGrant`."""
+ grantor: User
+
+ """An edge for our `AppAdminGrant`. May be used by Relay 1."""
+ appAdminGrantEdge(
+ """The method to use when ordering `AppAdminGrant`."""
+ orderBy: [AppAdminGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppAdminGrantsEdge
+}
+
+"""All input for the `updateAppAdminGrant` mutation."""
+input UpdateAppAdminGrantInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `AppAdminGrant` being updated.
+ """
+ patch: AppAdminGrantPatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `AppAdminGrant`. Fields that are set will be updated.
+"""
+input AppAdminGrantPatch {
+ id: UUID
+ isGrant: Boolean
+ actorId: UUID
+ grantorId: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+}
+
+"""The output of our update `AppGrant` mutation."""
+type UpdateAppGrantPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppGrant` that was updated by this mutation."""
+ appGrant: AppGrant
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `AppGrant`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `AppGrant`."""
+ grantor: User
+
+ """An edge for our `AppGrant`. May be used by Relay 1."""
+ appGrantEdge(
+ """The method to use when ordering `AppGrant`."""
+ orderBy: [AppGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppGrantsEdge
+}
+
+"""All input for the `updateAppGrant` mutation."""
+input UpdateAppGrantInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `AppGrant` being updated.
+ """
+ patch: AppGrantPatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `AppGrant`. Fields that are set will be updated.
+"""
+input AppGrantPatch {
+ id: UUID
+ permissions: BitString
+ isGrant: Boolean
+ actorId: UUID
+ grantorId: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+}
+
+"""The output of our update `AppMembershipDefault` mutation."""
+type UpdateAppMembershipDefaultPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppMembershipDefault` that was updated by this mutation."""
+ appMembershipDefault: AppMembershipDefault
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """An edge for our `AppMembershipDefault`. May be used by Relay 1."""
+ appMembershipDefaultEdge(
+ """The method to use when ordering `AppMembershipDefault`."""
+ orderBy: [AppMembershipDefaultsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppMembershipDefaultsEdge
+}
+
+"""All input for the `updateAppMembershipDefault` mutation."""
+input UpdateAppMembershipDefaultInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `AppMembershipDefault` being updated.
+ """
+ patch: AppMembershipDefaultPatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `AppMembershipDefault`. Fields that are set will be updated.
+"""
+input AppMembershipDefaultPatch {
+ id: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+ createdBy: UUID
+ updatedBy: UUID
+ isApproved: Boolean
+ isVerified: Boolean
+}
+
+"""The output of our update `AppMembership` mutation."""
+type UpdateAppMembershipPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppMembership` that was updated by this mutation."""
+ appMembership: AppMembership
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `AppMembership`."""
+ actor: User
+
+ """An edge for our `AppMembership`. May be used by Relay 1."""
+ appMembershipEdge(
+ """The method to use when ordering `AppMembership`."""
+ orderBy: [AppMembershipsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppMembershipsEdge
+}
+
+"""All input for the `updateAppMembership` mutation."""
+input UpdateAppMembershipInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `AppMembership` being updated.
+ """
+ patch: AppMembershipPatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `AppMembership`. Fields that are set will be updated.
+"""
+input AppMembershipPatch {
+ id: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+ createdBy: UUID
+ updatedBy: UUID
+ isApproved: Boolean
+ isBanned: Boolean
+ isDisabled: Boolean
+ isVerified: Boolean
+ isActive: Boolean
+ isOwner: Boolean
+ isAdmin: Boolean
+ permissions: BitString
+ granted: BitString
+ actorId: UUID
+}
+
+"""All input for the `updateAppMembershipByActorId` mutation."""
+input UpdateAppMembershipByActorIdInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `AppMembership` being updated.
+ """
+ patch: AppMembershipPatch!
+ actorId: UUID!
+}
+
+"""The output of our update `AppOwnerGrant` mutation."""
+type UpdateAppOwnerGrantPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppOwnerGrant` that was updated by this mutation."""
+ appOwnerGrant: AppOwnerGrant
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `AppOwnerGrant`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `AppOwnerGrant`."""
+ grantor: User
+
+ """An edge for our `AppOwnerGrant`. May be used by Relay 1."""
+ appOwnerGrantEdge(
+ """The method to use when ordering `AppOwnerGrant`."""
+ orderBy: [AppOwnerGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppOwnerGrantsEdge
+}
+
+"""All input for the `updateAppOwnerGrant` mutation."""
+input UpdateAppOwnerGrantInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `AppOwnerGrant` being updated.
+ """
+ patch: AppOwnerGrantPatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `AppOwnerGrant`. Fields that are set will be updated.
+"""
+input AppOwnerGrantPatch {
+ id: UUID
+ isGrant: Boolean
+ actorId: UUID
+ grantorId: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+}
+
+"""The output of our update `MembershipAdminGrant` mutation."""
+type UpdateMembershipAdminGrantPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipAdminGrant` that was updated by this mutation."""
+ membershipAdminGrant: MembershipAdminGrant
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `MembershipAdminGrant`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `MembershipAdminGrant`."""
+ entity: User
+
+ """Reads a single `User` that is related to this `MembershipAdminGrant`."""
+ grantor: User
+
+ """An edge for our `MembershipAdminGrant`. May be used by Relay 1."""
+ membershipAdminGrantEdge(
+ """The method to use when ordering `MembershipAdminGrant`."""
+ orderBy: [MembershipAdminGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipAdminGrantsEdge
+}
+
+"""All input for the `updateMembershipAdminGrant` mutation."""
+input UpdateMembershipAdminGrantInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `MembershipAdminGrant` being updated.
+ """
+ patch: MembershipAdminGrantPatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `MembershipAdminGrant`. Fields that are set will be updated.
+"""
+input MembershipAdminGrantPatch {
+ id: UUID
+ isGrant: Boolean
+ actorId: UUID
+ entityId: UUID
+ grantorId: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+}
+
+"""The output of our update `MembershipGrant` mutation."""
+type UpdateMembershipGrantPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipGrant` that was updated by this mutation."""
+ membershipGrant: MembershipGrant
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `MembershipGrant`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `MembershipGrant`."""
+ entity: User
+
+ """Reads a single `User` that is related to this `MembershipGrant`."""
+ grantor: User
+
+ """An edge for our `MembershipGrant`. May be used by Relay 1."""
+ membershipGrantEdge(
+ """The method to use when ordering `MembershipGrant`."""
+ orderBy: [MembershipGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipGrantsEdge
+}
+
+"""All input for the `updateMembershipGrant` mutation."""
+input UpdateMembershipGrantInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `MembershipGrant` being updated.
+ """
+ patch: MembershipGrantPatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `MembershipGrant`. Fields that are set will be updated.
+"""
+input MembershipGrantPatch {
+ id: UUID
+ permissions: BitString
+ isGrant: Boolean
+ actorId: UUID
+ entityId: UUID
+ grantorId: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+}
+
+"""The output of our update `MembershipMember` mutation."""
+type UpdateMembershipMemberPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipMember` that was updated by this mutation."""
+ membershipMember: MembershipMember
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `MembershipMember`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `MembershipMember`."""
+ entity: User
+
+ """An edge for our `MembershipMember`. May be used by Relay 1."""
+ membershipMemberEdge(
+ """The method to use when ordering `MembershipMember`."""
+ orderBy: [MembershipMembersOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipMembersEdge
+}
+
+"""All input for the `updateMembershipMember` mutation."""
+input UpdateMembershipMemberInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `MembershipMember` being updated.
+ """
+ patch: MembershipMemberPatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `MembershipMember`. Fields that are set will be updated.
+"""
+input MembershipMemberPatch {
+ id: UUID
+ isAdmin: Boolean
+ actorId: UUID
+ entityId: UUID
+}
+
+"""
+All input for the `updateMembershipMemberByActorIdAndEntityId` mutation.
+"""
+input UpdateMembershipMemberByActorIdAndEntityIdInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `MembershipMember` being updated.
+ """
+ patch: MembershipMemberPatch!
+ actorId: UUID!
+ entityId: UUID!
+}
+
+"""The output of our update `MembershipMembershipDefault` mutation."""
+type UpdateMembershipMembershipDefaultPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipMembershipDefault` that was updated by this mutation."""
+ membershipMembershipDefault: MembershipMembershipDefault
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """
+ Reads a single `User` that is related to this `MembershipMembershipDefault`.
+ """
+ entity: User
+
+ """An edge for our `MembershipMembershipDefault`. May be used by Relay 1."""
+ membershipMembershipDefaultEdge(
+ """The method to use when ordering `MembershipMembershipDefault`."""
+ orderBy: [MembershipMembershipDefaultsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipMembershipDefaultsEdge
+}
+
+"""All input for the `updateMembershipMembershipDefault` mutation."""
+input UpdateMembershipMembershipDefaultInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `MembershipMembershipDefault` being updated.
+ """
+ patch: MembershipMembershipDefaultPatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `MembershipMembershipDefault`. Fields that are set will be updated.
+"""
+input MembershipMembershipDefaultPatch {
+ id: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+ createdBy: UUID
+ updatedBy: UUID
+ isApproved: Boolean
+ entityId: UUID
+ deleteMemberCascadeGroups: Boolean
+ createGroupsCascadeMembers: Boolean
+}
+
+"""
+All input for the `updateMembershipMembershipDefaultByEntityId` mutation.
+"""
+input UpdateMembershipMembershipDefaultByEntityIdInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `MembershipMembershipDefault` being updated.
+ """
+ patch: MembershipMembershipDefaultPatch!
+ entityId: UUID!
+}
+
+"""The output of our update `MembershipMembership` mutation."""
+type UpdateMembershipMembershipPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipMembership` that was updated by this mutation."""
+ membershipMembership: MembershipMembership
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `MembershipMembership`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `MembershipMembership`."""
+ entity: User
+
+ """An edge for our `MembershipMembership`. May be used by Relay 1."""
+ membershipMembershipEdge(
+ """The method to use when ordering `MembershipMembership`."""
+ orderBy: [MembershipMembershipsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipMembershipsEdge
+}
+
+"""All input for the `updateMembershipMembership` mutation."""
+input UpdateMembershipMembershipInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `MembershipMembership` being updated.
+ """
+ patch: MembershipMembershipPatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `MembershipMembership`. Fields that are set will be updated.
+"""
+input MembershipMembershipPatch {
+ id: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+ createdBy: UUID
+ updatedBy: UUID
+ isApproved: Boolean
+ isBanned: Boolean
+ isDisabled: Boolean
+ isActive: Boolean
+ isOwner: Boolean
+ isAdmin: Boolean
+ permissions: BitString
+ granted: BitString
+ actorId: UUID
+ entityId: UUID
+}
+
+"""
+All input for the `updateMembershipMembershipByActorIdAndEntityId` mutation.
+"""
+input UpdateMembershipMembershipByActorIdAndEntityIdInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `MembershipMembership` being updated.
+ """
+ patch: MembershipMembershipPatch!
+ actorId: UUID!
+ entityId: UUID!
+}
+
+"""The output of our update `MembershipOwnerGrant` mutation."""
+type UpdateMembershipOwnerGrantPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipOwnerGrant` that was updated by this mutation."""
+ membershipOwnerGrant: MembershipOwnerGrant
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `MembershipOwnerGrant`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `MembershipOwnerGrant`."""
+ entity: User
+
+ """Reads a single `User` that is related to this `MembershipOwnerGrant`."""
+ grantor: User
+
+ """An edge for our `MembershipOwnerGrant`. May be used by Relay 1."""
+ membershipOwnerGrantEdge(
+ """The method to use when ordering `MembershipOwnerGrant`."""
+ orderBy: [MembershipOwnerGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipOwnerGrantsEdge
+}
+
+"""All input for the `updateMembershipOwnerGrant` mutation."""
+input UpdateMembershipOwnerGrantInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `MembershipOwnerGrant` being updated.
+ """
+ patch: MembershipOwnerGrantPatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `MembershipOwnerGrant`. Fields that are set will be updated.
+"""
+input MembershipOwnerGrantPatch {
+ id: UUID
+ isGrant: Boolean
+ actorId: UUID
+ entityId: UUID
+ grantorId: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+}
+
+"""The output of our update `MembershipType` mutation."""
+type UpdateMembershipTypePayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipType` that was updated by this mutation."""
+ membershipType: MembershipType
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """An edge for our `MembershipType`. May be used by Relay 1."""
+ membershipTypeEdge(
+ """The method to use when ordering `MembershipType`."""
+ orderBy: [MembershipTypesOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipTypesEdge
+}
+
+"""All input for the `updateMembershipType` mutation."""
+input UpdateMembershipTypeInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `MembershipType` being updated.
+ """
+ patch: MembershipTypePatch!
+ id: Int!
+}
+
+"""
+Represents an update to a `MembershipType`. Fields that are set will be updated.
+"""
+input MembershipTypePatch {
+ id: Int
+ name: String
+ description: String
+ prefix: String
+}
+
+"""All input for the `updateMembershipTypeByName` mutation."""
+input UpdateMembershipTypeByNameInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `MembershipType` being updated.
+ """
+ patch: MembershipTypePatch!
+ name: String!
+}
+
+"""The output of our update `AppPermissionDefault` mutation."""
+type UpdateAppPermissionDefaultPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppPermissionDefault` that was updated by this mutation."""
+ appPermissionDefault: AppPermissionDefault
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """An edge for our `AppPermissionDefault`. May be used by Relay 1."""
+ appPermissionDefaultEdge(
+ """The method to use when ordering `AppPermissionDefault`."""
+ orderBy: [AppPermissionDefaultsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppPermissionDefaultsEdge
+}
+
+"""All input for the `updateAppPermissionDefault` mutation."""
+input UpdateAppPermissionDefaultInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `AppPermissionDefault` being updated.
+ """
+ patch: AppPermissionDefaultPatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `AppPermissionDefault`. Fields that are set will be updated.
+"""
+input AppPermissionDefaultPatch {
+ id: UUID
+ permissions: BitString
+}
+
+"""The output of our update `AppPermission` mutation."""
+type UpdateAppPermissionPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppPermission` that was updated by this mutation."""
+ appPermission: AppPermission
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """An edge for our `AppPermission`. May be used by Relay 1."""
+ appPermissionEdge(
+ """The method to use when ordering `AppPermission`."""
+ orderBy: [AppPermissionsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppPermissionsEdge
+}
+
+"""All input for the `updateAppPermission` mutation."""
+input UpdateAppPermissionInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `AppPermission` being updated.
+ """
+ patch: AppPermissionPatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `AppPermission`. Fields that are set will be updated.
+"""
+input AppPermissionPatch {
+ id: UUID
+ name: String
+ bitnum: Int
+ bitstr: BitString
+ description: String
+}
+
+"""All input for the `updateAppPermissionByName` mutation."""
+input UpdateAppPermissionByNameInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `AppPermission` being updated.
+ """
+ patch: AppPermissionPatch!
+ name: String!
+}
+
+"""All input for the `updateAppPermissionByBitnum` mutation."""
+input UpdateAppPermissionByBitnumInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `AppPermission` being updated.
+ """
+ patch: AppPermissionPatch!
+ bitnum: Int!
+}
+
+"""The output of our update `MembershipPermissionDefault` mutation."""
+type UpdateMembershipPermissionDefaultPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipPermissionDefault` that was updated by this mutation."""
+ membershipPermissionDefault: MembershipPermissionDefault
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """
+ Reads a single `User` that is related to this `MembershipPermissionDefault`.
+ """
+ entity: User
+
+ """An edge for our `MembershipPermissionDefault`. May be used by Relay 1."""
+ membershipPermissionDefaultEdge(
+ """The method to use when ordering `MembershipPermissionDefault`."""
+ orderBy: [MembershipPermissionDefaultsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipPermissionDefaultsEdge
+}
+
+"""All input for the `updateMembershipPermissionDefault` mutation."""
+input UpdateMembershipPermissionDefaultInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `MembershipPermissionDefault` being updated.
+ """
+ patch: MembershipPermissionDefaultPatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `MembershipPermissionDefault`. Fields that are set will be updated.
+"""
+input MembershipPermissionDefaultPatch {
+ id: UUID
+ permissions: BitString
+ entityId: UUID
+}
+
+"""The output of our update `MembershipPermission` mutation."""
+type UpdateMembershipPermissionPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipPermission` that was updated by this mutation."""
+ membershipPermission: MembershipPermission
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """An edge for our `MembershipPermission`. May be used by Relay 1."""
+ membershipPermissionEdge(
+ """The method to use when ordering `MembershipPermission`."""
+ orderBy: [MembershipPermissionsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipPermissionsEdge
+}
+
+"""All input for the `updateMembershipPermission` mutation."""
+input UpdateMembershipPermissionInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `MembershipPermission` being updated.
+ """
+ patch: MembershipPermissionPatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `MembershipPermission`. Fields that are set will be updated.
+"""
+input MembershipPermissionPatch {
+ id: UUID
+ name: String
+ bitnum: Int
+ bitstr: BitString
+ description: String
+}
+
+"""All input for the `updateMembershipPermissionByName` mutation."""
+input UpdateMembershipPermissionByNameInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `MembershipPermission` being updated.
+ """
+ patch: MembershipPermissionPatch!
+ name: String!
+}
+
+"""All input for the `updateMembershipPermissionByBitnum` mutation."""
+input UpdateMembershipPermissionByBitnumInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `MembershipPermission` being updated.
+ """
+ patch: MembershipPermissionPatch!
+ bitnum: Int!
+}
+
+"""The output of our update `AppLimitDefault` mutation."""
+type UpdateAppLimitDefaultPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppLimitDefault` that was updated by this mutation."""
+ appLimitDefault: AppLimitDefault
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """An edge for our `AppLimitDefault`. May be used by Relay 1."""
+ appLimitDefaultEdge(
+ """The method to use when ordering `AppLimitDefault`."""
+ orderBy: [AppLimitDefaultsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppLimitDefaultsEdge
+}
+
+"""All input for the `updateAppLimitDefault` mutation."""
+input UpdateAppLimitDefaultInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `AppLimitDefault` being updated.
+ """
+ patch: AppLimitDefaultPatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `AppLimitDefault`. Fields that are set will be updated.
+"""
+input AppLimitDefaultPatch {
+ id: UUID
+ name: String
+ max: Int
+}
+
+"""All input for the `updateAppLimitDefaultByName` mutation."""
+input UpdateAppLimitDefaultByNameInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `AppLimitDefault` being updated.
+ """
+ patch: AppLimitDefaultPatch!
+ name: String!
+}
+
+"""The output of our update `AppLimit` mutation."""
+type UpdateAppLimitPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppLimit` that was updated by this mutation."""
+ appLimit: AppLimit
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `AppLimit`."""
+ actor: User
+
+ """An edge for our `AppLimit`. May be used by Relay 1."""
+ appLimitEdge(
+ """The method to use when ordering `AppLimit`."""
+ orderBy: [AppLimitsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppLimitsEdge
+}
+
+"""All input for the `updateAppLimit` mutation."""
+input UpdateAppLimitInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `AppLimit` being updated.
+ """
+ patch: AppLimitPatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `AppLimit`. Fields that are set will be updated.
+"""
+input AppLimitPatch {
+ id: UUID
+ name: String
+ actorId: UUID
+ num: Int
+ max: Int
+}
+
+"""All input for the `updateAppLimitByNameAndActorId` mutation."""
+input UpdateAppLimitByNameAndActorIdInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `AppLimit` being updated.
+ """
+ patch: AppLimitPatch!
+ name: String!
+ actorId: UUID!
+}
+
+"""The output of our update `MembershipLimitDefault` mutation."""
+type UpdateMembershipLimitDefaultPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipLimitDefault` that was updated by this mutation."""
+ membershipLimitDefault: MembershipLimitDefault
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """An edge for our `MembershipLimitDefault`. May be used by Relay 1."""
+ membershipLimitDefaultEdge(
+ """The method to use when ordering `MembershipLimitDefault`."""
+ orderBy: [MembershipLimitDefaultsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipLimitDefaultsEdge
+}
+
+"""All input for the `updateMembershipLimitDefault` mutation."""
+input UpdateMembershipLimitDefaultInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `MembershipLimitDefault` being updated.
+ """
+ patch: MembershipLimitDefaultPatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `MembershipLimitDefault`. Fields that are set will be updated.
+"""
+input MembershipLimitDefaultPatch {
+ id: UUID
+ name: String
+ max: Int
+}
+
+"""All input for the `updateMembershipLimitDefaultByName` mutation."""
+input UpdateMembershipLimitDefaultByNameInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `MembershipLimitDefault` being updated.
+ """
+ patch: MembershipLimitDefaultPatch!
+ name: String!
+}
+
+"""The output of our update `MembershipLimit` mutation."""
+type UpdateMembershipLimitPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipLimit` that was updated by this mutation."""
+ membershipLimit: MembershipLimit
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `MembershipLimit`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `MembershipLimit`."""
+ entity: User
+
+ """An edge for our `MembershipLimit`. May be used by Relay 1."""
+ membershipLimitEdge(
+ """The method to use when ordering `MembershipLimit`."""
+ orderBy: [MembershipLimitsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipLimitsEdge
+}
+
+"""All input for the `updateMembershipLimit` mutation."""
+input UpdateMembershipLimitInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `MembershipLimit` being updated.
+ """
+ patch: MembershipLimitPatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `MembershipLimit`. Fields that are set will be updated.
+"""
+input MembershipLimitPatch {
+ id: UUID
+ name: String
+ actorId: UUID
+ num: Int
+ max: Int
+ entityId: UUID
+}
+
+"""
+All input for the `updateMembershipLimitByNameAndActorIdAndEntityId` mutation.
+"""
+input UpdateMembershipLimitByNameAndActorIdAndEntityIdInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `MembershipLimit` being updated.
+ """
+ patch: MembershipLimitPatch!
+ name: String!
+ actorId: UUID!
+ entityId: UUID!
+}
+
+"""The output of our update `AppAchievement` mutation."""
+type UpdateAppAchievementPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppAchievement` that was updated by this mutation."""
+ appAchievement: AppAchievement
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `AppAchievement`."""
+ actor: User
+
+ """An edge for our `AppAchievement`. May be used by Relay 1."""
+ appAchievementEdge(
+ """The method to use when ordering `AppAchievement`."""
+ orderBy: [AppAchievementsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppAchievementsEdge
+}
+
+"""All input for the `updateAppAchievement` mutation."""
+input UpdateAppAchievementInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `AppAchievement` being updated.
+ """
+ patch: AppAchievementPatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `AppAchievement`. Fields that are set will be updated.
+"""
+input AppAchievementPatch {
+ id: UUID
+ actorId: UUID
+ name: String
+ count: Int
+ createdAt: Datetime
+ updatedAt: Datetime
+}
+
+"""All input for the `updateAppAchievementByActorIdAndName` mutation."""
+input UpdateAppAchievementByActorIdAndNameInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `AppAchievement` being updated.
+ """
+ patch: AppAchievementPatch!
+ actorId: UUID!
+ name: String!
+}
+
+"""The output of our update `AppLevelRequirement` mutation."""
+type UpdateAppLevelRequirementPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppLevelRequirement` that was updated by this mutation."""
+ appLevelRequirement: AppLevelRequirement
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """An edge for our `AppLevelRequirement`. May be used by Relay 1."""
+ appLevelRequirementEdge(
+ """The method to use when ordering `AppLevelRequirement`."""
+ orderBy: [AppLevelRequirementsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppLevelRequirementsEdge
+}
+
+"""All input for the `updateAppLevelRequirement` mutation."""
+input UpdateAppLevelRequirementInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `AppLevelRequirement` being updated.
+ """
+ patch: AppLevelRequirementPatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `AppLevelRequirement`. Fields that are set will be updated.
+"""
+input AppLevelRequirementPatch {
+ id: UUID
+ name: String
+ level: String
+ description: String
+ requiredCount: Int
+ priority: Int
+ createdAt: Datetime
+ updatedAt: Datetime
+}
+
+"""All input for the `updateAppLevelRequirementByNameAndLevel` mutation."""
+input UpdateAppLevelRequirementByNameAndLevelInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `AppLevelRequirement` being updated.
+ """
+ patch: AppLevelRequirementPatch!
+ name: String!
+ level: String!
+}
+
+"""The output of our update `AppLevel` mutation."""
+type UpdateAppLevelPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppLevel` that was updated by this mutation."""
+ appLevel: AppLevel
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `AppLevel`."""
+ owner: User
+
+ """An edge for our `AppLevel`. May be used by Relay 1."""
+ appLevelEdge(
+ """The method to use when ordering `AppLevel`."""
+ orderBy: [AppLevelsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppLevelsEdge
+}
+
+"""All input for the `updateAppLevel` mutation."""
+input UpdateAppLevelInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `AppLevel` being updated.
+ """
+ patch: AppLevelPatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `AppLevel`. Fields that are set will be updated.
+"""
+input AppLevelPatch {
+ id: UUID
+ name: String
+ description: String
+ image: JSON
+ ownerId: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+ imageUpload: Upload
+}
+
+"""All input for the `updateAppLevelByName` mutation."""
+input UpdateAppLevelByNameInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `AppLevel` being updated.
+ """
+ patch: AppLevelPatch!
+ name: String!
+}
+
+"""The output of our update `AppStep` mutation."""
+type UpdateAppStepPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppStep` that was updated by this mutation."""
+ appStep: AppStep
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `AppStep`."""
+ actor: User
+
+ """An edge for our `AppStep`. May be used by Relay 1."""
+ appStepEdge(
+ """The method to use when ordering `AppStep`."""
+ orderBy: [AppStepsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppStepsEdge
+}
+
+"""All input for the `updateAppStep` mutation."""
+input UpdateAppStepInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `AppStep` being updated.
+ """
+ patch: AppStepPatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `AppStep`. Fields that are set will be updated.
+"""
+input AppStepPatch {
+ id: UUID
+ actorId: UUID
+ name: String
+ count: Int
+ createdAt: Datetime
+ updatedAt: Datetime
+}
+
+"""The output of our update `ClaimedInvite` mutation."""
+type UpdateClaimedInvitePayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `ClaimedInvite` that was updated by this mutation."""
+ claimedInvite: ClaimedInvite
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `ClaimedInvite`."""
+ sender: User
+
+ """Reads a single `User` that is related to this `ClaimedInvite`."""
+ receiver: User
+
+ """An edge for our `ClaimedInvite`. May be used by Relay 1."""
+ claimedInviteEdge(
+ """The method to use when ordering `ClaimedInvite`."""
+ orderBy: [ClaimedInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+ ): ClaimedInvitesEdge
+}
+
+"""All input for the `updateClaimedInvite` mutation."""
+input UpdateClaimedInviteInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `ClaimedInvite` being updated.
+ """
+ patch: ClaimedInvitePatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `ClaimedInvite`. Fields that are set will be updated.
+"""
+input ClaimedInvitePatch {
+ id: UUID
+ data: JSON
+ senderId: UUID
+ receiverId: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+}
+
+"""The output of our update `Invite` mutation."""
+type UpdateInvitePayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `Invite` that was updated by this mutation."""
+ invite: Invite
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `Invite`."""
+ sender: User
+
+ """An edge for our `Invite`. May be used by Relay 1."""
+ inviteEdge(
+ """The method to use when ordering `Invite`."""
+ orderBy: [InvitesOrderBy!] = [PRIMARY_KEY_ASC]
+ ): InvitesEdge
+}
+
+"""All input for the `updateInvite` mutation."""
+input UpdateInviteInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `Invite` being updated.
+ """
+ patch: InvitePatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `Invite`. Fields that are set will be updated.
+"""
+input InvitePatch {
+ id: UUID
+ email: String
+ senderId: UUID
+ inviteToken: String
+ inviteValid: Boolean
+ inviteLimit: Int
+ inviteCount: Int
+ multiple: Boolean
+ data: JSON
+ expiresAt: Datetime
+ createdAt: Datetime
+ updatedAt: Datetime
+}
+
+"""All input for the `updateInviteByEmailAndSenderId` mutation."""
+input UpdateInviteByEmailAndSenderIdInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `Invite` being updated.
+ """
+ patch: InvitePatch!
+ email: String!
+ senderId: UUID!
+}
+
+"""All input for the `updateInviteByInviteToken` mutation."""
+input UpdateInviteByInviteTokenInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `Invite` being updated.
+ """
+ patch: InvitePatch!
+ inviteToken: String!
+}
+
+"""The output of our update `MembershipClaimedInvite` mutation."""
+type UpdateMembershipClaimedInvitePayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipClaimedInvite` that was updated by this mutation."""
+ membershipClaimedInvite: MembershipClaimedInvite
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """
+ Reads a single `User` that is related to this `MembershipClaimedInvite`.
+ """
+ sender: User
+
+ """
+ Reads a single `User` that is related to this `MembershipClaimedInvite`.
+ """
+ receiver: User
+
+ """
+ Reads a single `User` that is related to this `MembershipClaimedInvite`.
+ """
+ entity: User
+
+ """An edge for our `MembershipClaimedInvite`. May be used by Relay 1."""
+ membershipClaimedInviteEdge(
+ """The method to use when ordering `MembershipClaimedInvite`."""
+ orderBy: [MembershipClaimedInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipClaimedInvitesEdge
+}
+
+"""All input for the `updateMembershipClaimedInvite` mutation."""
+input UpdateMembershipClaimedInviteInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `MembershipClaimedInvite` being updated.
+ """
+ patch: MembershipClaimedInvitePatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `MembershipClaimedInvite`. Fields that are set will be updated.
+"""
+input MembershipClaimedInvitePatch {
+ id: UUID
+ data: JSON
+ senderId: UUID
+ receiverId: UUID
+ createdAt: Datetime
+ updatedAt: Datetime
+ entityId: UUID
+}
+
+"""The output of our update `MembershipInvite` mutation."""
+type UpdateMembershipInvitePayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipInvite` that was updated by this mutation."""
+ membershipInvite: MembershipInvite
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `MembershipInvite`."""
+ sender: User
+
+ """Reads a single `User` that is related to this `MembershipInvite`."""
+ receiver: User
+
+ """Reads a single `User` that is related to this `MembershipInvite`."""
+ entity: User
+
+ """An edge for our `MembershipInvite`. May be used by Relay 1."""
+ membershipInviteEdge(
+ """The method to use when ordering `MembershipInvite`."""
+ orderBy: [MembershipInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipInvitesEdge
+}
+
+"""All input for the `updateMembershipInvite` mutation."""
+input UpdateMembershipInviteInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `MembershipInvite` being updated.
+ """
+ patch: MembershipInvitePatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `MembershipInvite`. Fields that are set will be updated.
+"""
+input MembershipInvitePatch {
+ id: UUID
+ email: String
+ senderId: UUID
+ receiverId: UUID
+ inviteToken: String
+ inviteValid: Boolean
+ inviteLimit: Int
+ inviteCount: Int
+ multiple: Boolean
+ data: JSON
+ expiresAt: Datetime
+ createdAt: Datetime
+ updatedAt: Datetime
+ entityId: UUID
+}
+
+"""
+All input for the `updateMembershipInviteByEmailAndSenderIdAndEntityId` mutation.
+"""
+input UpdateMembershipInviteByEmailAndSenderIdAndEntityIdInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `MembershipInvite` being updated.
+ """
+ patch: MembershipInvitePatch!
+ email: String!
+ senderId: UUID!
+ entityId: UUID!
+}
+
+"""All input for the `updateMembershipInviteByInviteToken` mutation."""
+input UpdateMembershipInviteByInviteTokenInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `MembershipInvite` being updated.
+ """
+ patch: MembershipInvitePatch!
+ inviteToken: String!
+}
+
+"""The output of our update `AuditLog` mutation."""
+type UpdateAuditLogPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AuditLog` that was updated by this mutation."""
+ auditLog: AuditLog
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `AuditLog`."""
+ actor: User
+
+ """An edge for our `AuditLog`. May be used by Relay 1."""
+ auditLogEdge(
+ """The method to use when ordering `AuditLog`."""
+ orderBy: [AuditLogsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AuditLogsEdge
+}
+
+"""All input for the `updateAuditLog` mutation."""
+input UpdateAuditLogInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+
+ """
+ An object where the defined keys will be set on the `AuditLog` being updated.
+ """
+ patch: AuditLogPatch!
+ id: UUID!
+}
+
+"""
+Represents an update to a `AuditLog`. Fields that are set will be updated.
+"""
+input AuditLogPatch {
+ id: UUID
+ event: String
+ actorId: UUID
+ origin: String
+ userAgent: String
+ ipAddress: InternetAddress
+ success: Boolean
+ createdAt: Datetime
+}
+
+"""The output of our delete `Category` mutation."""
+type DeleteCategoryPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `Category` that was deleted by this mutation."""
+ category: Category
+ deletedCategoryNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """An edge for our `Category`. May be used by Relay 1."""
+ categoryEdge(
+ """The method to use when ordering `Category`."""
+ orderBy: [CategoriesOrderBy!] = [PRIMARY_KEY_ASC]
+ ): CategoriesEdge
+}
+
+"""All input for the `deleteCategory` mutation."""
+input DeleteCategoryInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""The output of our delete `CryptoAddress` mutation."""
+type DeleteCryptoAddressPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `CryptoAddress` that was deleted by this mutation."""
+ cryptoAddress: CryptoAddress
+ deletedCryptoAddressNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `CryptoAddress`."""
+ owner: User
+
+ """An edge for our `CryptoAddress`. May be used by Relay 1."""
+ cryptoAddressEdge(
+ """The method to use when ordering `CryptoAddress`."""
+ orderBy: [CryptoAddressesOrderBy!] = [PRIMARY_KEY_ASC]
+ ): CryptoAddressesEdge
+}
+
+"""All input for the `deleteCryptoAddress` mutation."""
+input DeleteCryptoAddressInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""All input for the `deleteCryptoAddressByAddress` mutation."""
+input DeleteCryptoAddressByAddressInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ address: String!
+}
+
+"""The output of our delete `Email` mutation."""
+type DeleteEmailPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `Email` that was deleted by this mutation."""
+ email: Email
+ deletedEmailNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `Email`."""
+ owner: User
+
+ """An edge for our `Email`. May be used by Relay 1."""
+ emailEdge(
+ """The method to use when ordering `Email`."""
+ orderBy: [EmailsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): EmailsEdge
+}
+
+"""All input for the `deleteEmail` mutation."""
+input DeleteEmailInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""All input for the `deleteEmailByEmail` mutation."""
+input DeleteEmailByEmailInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ email: String!
+}
+
+"""The output of our delete `OrderItem` mutation."""
+type DeleteOrderItemPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `OrderItem` that was deleted by this mutation."""
+ orderItem: OrderItem
+ deletedOrderItemNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `Order` that is related to this `OrderItem`."""
+ order: Order
+
+ """Reads a single `Product` that is related to this `OrderItem`."""
+ product: Product
+
+ """An edge for our `OrderItem`. May be used by Relay 1."""
+ orderItemEdge(
+ """The method to use when ordering `OrderItem`."""
+ orderBy: [OrderItemsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): OrderItemsEdge
+}
+
+"""All input for the `deleteOrderItem` mutation."""
+input DeleteOrderItemInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""The output of our delete `Order` mutation."""
+type DeleteOrderPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `Order` that was deleted by this mutation."""
+ order: Order
+ deletedOrderNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `Order`."""
+ customer: User
+
+ """An edge for our `Order`. May be used by Relay 1."""
+ orderEdge(
+ """The method to use when ordering `Order`."""
+ orderBy: [OrdersOrderBy!] = [PRIMARY_KEY_ASC]
+ ): OrdersEdge
+}
+
+"""All input for the `deleteOrder` mutation."""
+input DeleteOrderInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""The output of our delete `PhoneNumber` mutation."""
+type DeletePhoneNumberPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `PhoneNumber` that was deleted by this mutation."""
+ phoneNumber: PhoneNumber
+ deletedPhoneNumberNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `PhoneNumber`."""
+ owner: User
+
+ """An edge for our `PhoneNumber`. May be used by Relay 1."""
+ phoneNumberEdge(
+ """The method to use when ordering `PhoneNumber`."""
+ orderBy: [PhoneNumbersOrderBy!] = [PRIMARY_KEY_ASC]
+ ): PhoneNumbersEdge
+}
+
+"""All input for the `deletePhoneNumber` mutation."""
+input DeletePhoneNumberInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""All input for the `deletePhoneNumberByNumber` mutation."""
+input DeletePhoneNumberByNumberInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ number: String!
+}
+
+"""The output of our delete `Product` mutation."""
+type DeleteProductPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `Product` that was deleted by this mutation."""
+ product: Product
+ deletedProductNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `Product`."""
+ seller: User
+
+ """Reads a single `Category` that is related to this `Product`."""
+ category: Category
+
+ """An edge for our `Product`. May be used by Relay 1."""
+ productEdge(
+ """The method to use when ordering `Product`."""
+ orderBy: [ProductsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): ProductsEdge
+}
+
+"""All input for the `deleteProduct` mutation."""
+input DeleteProductInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""The output of our delete `Review` mutation."""
+type DeleteReviewPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `Review` that was deleted by this mutation."""
+ review: Review
+ deletedReviewNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `Review`."""
+ user: User
+
+ """Reads a single `Product` that is related to this `Review`."""
+ product: Product
+
+ """An edge for our `Review`. May be used by Relay 1."""
+ reviewEdge(
+ """The method to use when ordering `Review`."""
+ orderBy: [ReviewsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): ReviewsEdge
+}
+
+"""All input for the `deleteReview` mutation."""
+input DeleteReviewInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""The output of our delete `RoleType` mutation."""
+type DeleteRoleTypePayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `RoleType` that was deleted by this mutation."""
+ roleType: RoleType
+ deletedRoleTypeNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """An edge for our `RoleType`. May be used by Relay 1."""
+ roleTypeEdge(
+ """The method to use when ordering `RoleType`."""
+ orderBy: [RoleTypesOrderBy!] = [PRIMARY_KEY_ASC]
+ ): RoleTypesEdge
+}
+
+"""All input for the `deleteRoleType` mutation."""
+input DeleteRoleTypeInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: Int!
+}
+
+"""All input for the `deleteRoleTypeByName` mutation."""
+input DeleteRoleTypeByNameInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ name: String!
+}
+
+"""The output of our delete `User` mutation."""
+type DeleteUserPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `User` that was deleted by this mutation."""
+ user: User
+ deletedUserNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `RoleType` that is related to this `User`."""
+ roleTypeByType: RoleType
+
+ """An edge for our `User`. May be used by Relay 1."""
+ userEdge(
+ """The method to use when ordering `User`."""
+ orderBy: [UsersOrderBy!] = [PRIMARY_KEY_ASC]
+ ): UsersEdge
+}
+
+"""All input for the `deleteUser` mutation."""
+input DeleteUserInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""All input for the `deleteUserByUsername` mutation."""
+input DeleteUserByUsernameInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ username: String!
+}
+
+"""The output of our delete `AppAdminGrant` mutation."""
+type DeleteAppAdminGrantPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppAdminGrant` that was deleted by this mutation."""
+ appAdminGrant: AppAdminGrant
+ deletedAppAdminGrantNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `AppAdminGrant`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `AppAdminGrant`."""
+ grantor: User
+
+ """An edge for our `AppAdminGrant`. May be used by Relay 1."""
+ appAdminGrantEdge(
+ """The method to use when ordering `AppAdminGrant`."""
+ orderBy: [AppAdminGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppAdminGrantsEdge
+}
+
+"""All input for the `deleteAppAdminGrant` mutation."""
+input DeleteAppAdminGrantInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""The output of our delete `AppGrant` mutation."""
+type DeleteAppGrantPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppGrant` that was deleted by this mutation."""
+ appGrant: AppGrant
+ deletedAppGrantNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `AppGrant`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `AppGrant`."""
+ grantor: User
+
+ """An edge for our `AppGrant`. May be used by Relay 1."""
+ appGrantEdge(
+ """The method to use when ordering `AppGrant`."""
+ orderBy: [AppGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppGrantsEdge
+}
+
+"""All input for the `deleteAppGrant` mutation."""
+input DeleteAppGrantInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""The output of our delete `AppMembershipDefault` mutation."""
+type DeleteAppMembershipDefaultPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppMembershipDefault` that was deleted by this mutation."""
+ appMembershipDefault: AppMembershipDefault
+ deletedAppMembershipDefaultNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """An edge for our `AppMembershipDefault`. May be used by Relay 1."""
+ appMembershipDefaultEdge(
+ """The method to use when ordering `AppMembershipDefault`."""
+ orderBy: [AppMembershipDefaultsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppMembershipDefaultsEdge
+}
+
+"""All input for the `deleteAppMembershipDefault` mutation."""
+input DeleteAppMembershipDefaultInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""The output of our delete `AppMembership` mutation."""
+type DeleteAppMembershipPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppMembership` that was deleted by this mutation."""
+ appMembership: AppMembership
+ deletedAppMembershipNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `AppMembership`."""
+ actor: User
+
+ """An edge for our `AppMembership`. May be used by Relay 1."""
+ appMembershipEdge(
+ """The method to use when ordering `AppMembership`."""
+ orderBy: [AppMembershipsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppMembershipsEdge
+}
+
+"""All input for the `deleteAppMembership` mutation."""
+input DeleteAppMembershipInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""All input for the `deleteAppMembershipByActorId` mutation."""
+input DeleteAppMembershipByActorIdInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ actorId: UUID!
+}
+
+"""The output of our delete `AppOwnerGrant` mutation."""
+type DeleteAppOwnerGrantPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppOwnerGrant` that was deleted by this mutation."""
+ appOwnerGrant: AppOwnerGrant
+ deletedAppOwnerGrantNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `AppOwnerGrant`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `AppOwnerGrant`."""
+ grantor: User
+
+ """An edge for our `AppOwnerGrant`. May be used by Relay 1."""
+ appOwnerGrantEdge(
+ """The method to use when ordering `AppOwnerGrant`."""
+ orderBy: [AppOwnerGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppOwnerGrantsEdge
+}
+
+"""All input for the `deleteAppOwnerGrant` mutation."""
+input DeleteAppOwnerGrantInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""The output of our delete `MembershipAdminGrant` mutation."""
+type DeleteMembershipAdminGrantPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipAdminGrant` that was deleted by this mutation."""
+ membershipAdminGrant: MembershipAdminGrant
+ deletedMembershipAdminGrantNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `MembershipAdminGrant`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `MembershipAdminGrant`."""
+ entity: User
+
+ """Reads a single `User` that is related to this `MembershipAdminGrant`."""
+ grantor: User
+
+ """An edge for our `MembershipAdminGrant`. May be used by Relay 1."""
+ membershipAdminGrantEdge(
+ """The method to use when ordering `MembershipAdminGrant`."""
+ orderBy: [MembershipAdminGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipAdminGrantsEdge
+}
+
+"""All input for the `deleteMembershipAdminGrant` mutation."""
+input DeleteMembershipAdminGrantInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""The output of our delete `MembershipGrant` mutation."""
+type DeleteMembershipGrantPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipGrant` that was deleted by this mutation."""
+ membershipGrant: MembershipGrant
+ deletedMembershipGrantNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `MembershipGrant`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `MembershipGrant`."""
+ entity: User
+
+ """Reads a single `User` that is related to this `MembershipGrant`."""
+ grantor: User
+
+ """An edge for our `MembershipGrant`. May be used by Relay 1."""
+ membershipGrantEdge(
+ """The method to use when ordering `MembershipGrant`."""
+ orderBy: [MembershipGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipGrantsEdge
+}
+
+"""All input for the `deleteMembershipGrant` mutation."""
+input DeleteMembershipGrantInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""The output of our delete `MembershipMember` mutation."""
+type DeleteMembershipMemberPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipMember` that was deleted by this mutation."""
+ membershipMember: MembershipMember
+ deletedMembershipMemberNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `MembershipMember`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `MembershipMember`."""
+ entity: User
+
+ """An edge for our `MembershipMember`. May be used by Relay 1."""
+ membershipMemberEdge(
+ """The method to use when ordering `MembershipMember`."""
+ orderBy: [MembershipMembersOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipMembersEdge
+}
+
+"""All input for the `deleteMembershipMember` mutation."""
+input DeleteMembershipMemberInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""
+All input for the `deleteMembershipMemberByActorIdAndEntityId` mutation.
+"""
+input DeleteMembershipMemberByActorIdAndEntityIdInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ actorId: UUID!
+ entityId: UUID!
+}
+
+"""The output of our delete `MembershipMembershipDefault` mutation."""
+type DeleteMembershipMembershipDefaultPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipMembershipDefault` that was deleted by this mutation."""
+ membershipMembershipDefault: MembershipMembershipDefault
+ deletedMembershipMembershipDefaultNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """
+ Reads a single `User` that is related to this `MembershipMembershipDefault`.
+ """
+ entity: User
+
+ """An edge for our `MembershipMembershipDefault`. May be used by Relay 1."""
+ membershipMembershipDefaultEdge(
+ """The method to use when ordering `MembershipMembershipDefault`."""
+ orderBy: [MembershipMembershipDefaultsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipMembershipDefaultsEdge
+}
+
+"""All input for the `deleteMembershipMembershipDefault` mutation."""
+input DeleteMembershipMembershipDefaultInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""
+All input for the `deleteMembershipMembershipDefaultByEntityId` mutation.
+"""
+input DeleteMembershipMembershipDefaultByEntityIdInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ entityId: UUID!
+}
+
+"""The output of our delete `MembershipMembership` mutation."""
+type DeleteMembershipMembershipPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipMembership` that was deleted by this mutation."""
+ membershipMembership: MembershipMembership
+ deletedMembershipMembershipNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `MembershipMembership`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `MembershipMembership`."""
+ entity: User
+
+ """An edge for our `MembershipMembership`. May be used by Relay 1."""
+ membershipMembershipEdge(
+ """The method to use when ordering `MembershipMembership`."""
+ orderBy: [MembershipMembershipsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipMembershipsEdge
+}
+
+"""All input for the `deleteMembershipMembership` mutation."""
+input DeleteMembershipMembershipInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""
+All input for the `deleteMembershipMembershipByActorIdAndEntityId` mutation.
+"""
+input DeleteMembershipMembershipByActorIdAndEntityIdInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ actorId: UUID!
+ entityId: UUID!
+}
+
+"""The output of our delete `MembershipOwnerGrant` mutation."""
+type DeleteMembershipOwnerGrantPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipOwnerGrant` that was deleted by this mutation."""
+ membershipOwnerGrant: MembershipOwnerGrant
+ deletedMembershipOwnerGrantNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `MembershipOwnerGrant`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `MembershipOwnerGrant`."""
+ entity: User
+
+ """Reads a single `User` that is related to this `MembershipOwnerGrant`."""
+ grantor: User
+
+ """An edge for our `MembershipOwnerGrant`. May be used by Relay 1."""
+ membershipOwnerGrantEdge(
+ """The method to use when ordering `MembershipOwnerGrant`."""
+ orderBy: [MembershipOwnerGrantsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipOwnerGrantsEdge
+}
+
+"""All input for the `deleteMembershipOwnerGrant` mutation."""
+input DeleteMembershipOwnerGrantInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""The output of our delete `MembershipType` mutation."""
+type DeleteMembershipTypePayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipType` that was deleted by this mutation."""
+ membershipType: MembershipType
+ deletedMembershipTypeNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """An edge for our `MembershipType`. May be used by Relay 1."""
+ membershipTypeEdge(
+ """The method to use when ordering `MembershipType`."""
+ orderBy: [MembershipTypesOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipTypesEdge
+}
+
+"""All input for the `deleteMembershipType` mutation."""
+input DeleteMembershipTypeInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: Int!
+}
+
+"""All input for the `deleteMembershipTypeByName` mutation."""
+input DeleteMembershipTypeByNameInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ name: String!
+}
+
+"""The output of our delete `AppPermissionDefault` mutation."""
+type DeleteAppPermissionDefaultPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppPermissionDefault` that was deleted by this mutation."""
+ appPermissionDefault: AppPermissionDefault
+ deletedAppPermissionDefaultNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """An edge for our `AppPermissionDefault`. May be used by Relay 1."""
+ appPermissionDefaultEdge(
+ """The method to use when ordering `AppPermissionDefault`."""
+ orderBy: [AppPermissionDefaultsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppPermissionDefaultsEdge
+}
+
+"""All input for the `deleteAppPermissionDefault` mutation."""
+input DeleteAppPermissionDefaultInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""The output of our delete `AppPermission` mutation."""
+type DeleteAppPermissionPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppPermission` that was deleted by this mutation."""
+ appPermission: AppPermission
+ deletedAppPermissionNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """An edge for our `AppPermission`. May be used by Relay 1."""
+ appPermissionEdge(
+ """The method to use when ordering `AppPermission`."""
+ orderBy: [AppPermissionsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppPermissionsEdge
+}
+
+"""All input for the `deleteAppPermission` mutation."""
+input DeleteAppPermissionInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""All input for the `deleteAppPermissionByName` mutation."""
+input DeleteAppPermissionByNameInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ name: String!
+}
+
+"""All input for the `deleteAppPermissionByBitnum` mutation."""
+input DeleteAppPermissionByBitnumInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ bitnum: Int!
+}
+
+"""The output of our delete `MembershipPermissionDefault` mutation."""
+type DeleteMembershipPermissionDefaultPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipPermissionDefault` that was deleted by this mutation."""
+ membershipPermissionDefault: MembershipPermissionDefault
+ deletedMembershipPermissionDefaultNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """
+ Reads a single `User` that is related to this `MembershipPermissionDefault`.
+ """
+ entity: User
+
+ """An edge for our `MembershipPermissionDefault`. May be used by Relay 1."""
+ membershipPermissionDefaultEdge(
+ """The method to use when ordering `MembershipPermissionDefault`."""
+ orderBy: [MembershipPermissionDefaultsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipPermissionDefaultsEdge
+}
+
+"""All input for the `deleteMembershipPermissionDefault` mutation."""
+input DeleteMembershipPermissionDefaultInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""The output of our delete `MembershipPermission` mutation."""
+type DeleteMembershipPermissionPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipPermission` that was deleted by this mutation."""
+ membershipPermission: MembershipPermission
+ deletedMembershipPermissionNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """An edge for our `MembershipPermission`. May be used by Relay 1."""
+ membershipPermissionEdge(
+ """The method to use when ordering `MembershipPermission`."""
+ orderBy: [MembershipPermissionsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipPermissionsEdge
+}
+
+"""All input for the `deleteMembershipPermission` mutation."""
+input DeleteMembershipPermissionInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""All input for the `deleteMembershipPermissionByName` mutation."""
+input DeleteMembershipPermissionByNameInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ name: String!
+}
+
+"""All input for the `deleteMembershipPermissionByBitnum` mutation."""
+input DeleteMembershipPermissionByBitnumInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ bitnum: Int!
+}
+
+"""The output of our delete `AppLimitDefault` mutation."""
+type DeleteAppLimitDefaultPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppLimitDefault` that was deleted by this mutation."""
+ appLimitDefault: AppLimitDefault
+ deletedAppLimitDefaultNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """An edge for our `AppLimitDefault`. May be used by Relay 1."""
+ appLimitDefaultEdge(
+ """The method to use when ordering `AppLimitDefault`."""
+ orderBy: [AppLimitDefaultsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppLimitDefaultsEdge
+}
+
+"""All input for the `deleteAppLimitDefault` mutation."""
+input DeleteAppLimitDefaultInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""All input for the `deleteAppLimitDefaultByName` mutation."""
+input DeleteAppLimitDefaultByNameInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ name: String!
+}
+
+"""The output of our delete `AppLimit` mutation."""
+type DeleteAppLimitPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppLimit` that was deleted by this mutation."""
+ appLimit: AppLimit
+ deletedAppLimitNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `AppLimit`."""
+ actor: User
+
+ """An edge for our `AppLimit`. May be used by Relay 1."""
+ appLimitEdge(
+ """The method to use when ordering `AppLimit`."""
+ orderBy: [AppLimitsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppLimitsEdge
+}
+
+"""All input for the `deleteAppLimit` mutation."""
+input DeleteAppLimitInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""All input for the `deleteAppLimitByNameAndActorId` mutation."""
+input DeleteAppLimitByNameAndActorIdInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ name: String!
+ actorId: UUID!
+}
+
+"""The output of our delete `MembershipLimitDefault` mutation."""
+type DeleteMembershipLimitDefaultPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipLimitDefault` that was deleted by this mutation."""
+ membershipLimitDefault: MembershipLimitDefault
+ deletedMembershipLimitDefaultNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """An edge for our `MembershipLimitDefault`. May be used by Relay 1."""
+ membershipLimitDefaultEdge(
+ """The method to use when ordering `MembershipLimitDefault`."""
+ orderBy: [MembershipLimitDefaultsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipLimitDefaultsEdge
+}
+
+"""All input for the `deleteMembershipLimitDefault` mutation."""
+input DeleteMembershipLimitDefaultInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""All input for the `deleteMembershipLimitDefaultByName` mutation."""
+input DeleteMembershipLimitDefaultByNameInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ name: String!
+}
+
+"""The output of our delete `MembershipLimit` mutation."""
+type DeleteMembershipLimitPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipLimit` that was deleted by this mutation."""
+ membershipLimit: MembershipLimit
+ deletedMembershipLimitNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `MembershipLimit`."""
+ actor: User
+
+ """Reads a single `User` that is related to this `MembershipLimit`."""
+ entity: User
+
+ """An edge for our `MembershipLimit`. May be used by Relay 1."""
+ membershipLimitEdge(
+ """The method to use when ordering `MembershipLimit`."""
+ orderBy: [MembershipLimitsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipLimitsEdge
+}
+
+"""All input for the `deleteMembershipLimit` mutation."""
+input DeleteMembershipLimitInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""
+All input for the `deleteMembershipLimitByNameAndActorIdAndEntityId` mutation.
+"""
+input DeleteMembershipLimitByNameAndActorIdAndEntityIdInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ name: String!
+ actorId: UUID!
+ entityId: UUID!
+}
+
+"""The output of our delete `AppAchievement` mutation."""
+type DeleteAppAchievementPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppAchievement` that was deleted by this mutation."""
+ appAchievement: AppAchievement
+ deletedAppAchievementNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `AppAchievement`."""
+ actor: User
+
+ """An edge for our `AppAchievement`. May be used by Relay 1."""
+ appAchievementEdge(
+ """The method to use when ordering `AppAchievement`."""
+ orderBy: [AppAchievementsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppAchievementsEdge
+}
+
+"""All input for the `deleteAppAchievement` mutation."""
+input DeleteAppAchievementInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""All input for the `deleteAppAchievementByActorIdAndName` mutation."""
+input DeleteAppAchievementByActorIdAndNameInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ actorId: UUID!
+ name: String!
+}
+
+"""The output of our delete `AppLevelRequirement` mutation."""
+type DeleteAppLevelRequirementPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppLevelRequirement` that was deleted by this mutation."""
+ appLevelRequirement: AppLevelRequirement
+ deletedAppLevelRequirementNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """An edge for our `AppLevelRequirement`. May be used by Relay 1."""
+ appLevelRequirementEdge(
+ """The method to use when ordering `AppLevelRequirement`."""
+ orderBy: [AppLevelRequirementsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppLevelRequirementsEdge
+}
+
+"""All input for the `deleteAppLevelRequirement` mutation."""
+input DeleteAppLevelRequirementInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""All input for the `deleteAppLevelRequirementByNameAndLevel` mutation."""
+input DeleteAppLevelRequirementByNameAndLevelInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ name: String!
+ level: String!
+}
+
+"""The output of our delete `AppLevel` mutation."""
+type DeleteAppLevelPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppLevel` that was deleted by this mutation."""
+ appLevel: AppLevel
+ deletedAppLevelNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `AppLevel`."""
+ owner: User
+
+ """An edge for our `AppLevel`. May be used by Relay 1."""
+ appLevelEdge(
+ """The method to use when ordering `AppLevel`."""
+ orderBy: [AppLevelsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppLevelsEdge
+}
+
+"""All input for the `deleteAppLevel` mutation."""
+input DeleteAppLevelInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""All input for the `deleteAppLevelByName` mutation."""
+input DeleteAppLevelByNameInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ name: String!
+}
+
+"""The output of our delete `AppStep` mutation."""
+type DeleteAppStepPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AppStep` that was deleted by this mutation."""
+ appStep: AppStep
+ deletedAppStepNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `AppStep`."""
+ actor: User
+
+ """An edge for our `AppStep`. May be used by Relay 1."""
+ appStepEdge(
+ """The method to use when ordering `AppStep`."""
+ orderBy: [AppStepsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AppStepsEdge
+}
+
+"""All input for the `deleteAppStep` mutation."""
+input DeleteAppStepInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""The output of our delete `ClaimedInvite` mutation."""
+type DeleteClaimedInvitePayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `ClaimedInvite` that was deleted by this mutation."""
+ claimedInvite: ClaimedInvite
+ deletedClaimedInviteNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `ClaimedInvite`."""
+ sender: User
+
+ """Reads a single `User` that is related to this `ClaimedInvite`."""
+ receiver: User
+
+ """An edge for our `ClaimedInvite`. May be used by Relay 1."""
+ claimedInviteEdge(
+ """The method to use when ordering `ClaimedInvite`."""
+ orderBy: [ClaimedInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+ ): ClaimedInvitesEdge
+}
+
+"""All input for the `deleteClaimedInvite` mutation."""
+input DeleteClaimedInviteInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""The output of our delete `Invite` mutation."""
+type DeleteInvitePayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `Invite` that was deleted by this mutation."""
+ invite: Invite
+ deletedInviteNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `Invite`."""
+ sender: User
+
+ """An edge for our `Invite`. May be used by Relay 1."""
+ inviteEdge(
+ """The method to use when ordering `Invite`."""
+ orderBy: [InvitesOrderBy!] = [PRIMARY_KEY_ASC]
+ ): InvitesEdge
+}
+
+"""All input for the `deleteInvite` mutation."""
+input DeleteInviteInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""All input for the `deleteInviteByEmailAndSenderId` mutation."""
+input DeleteInviteByEmailAndSenderIdInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ email: String!
+ senderId: UUID!
+}
+
+"""All input for the `deleteInviteByInviteToken` mutation."""
+input DeleteInviteByInviteTokenInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ inviteToken: String!
+}
+
+"""The output of our delete `MembershipClaimedInvite` mutation."""
+type DeleteMembershipClaimedInvitePayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipClaimedInvite` that was deleted by this mutation."""
+ membershipClaimedInvite: MembershipClaimedInvite
+ deletedMembershipClaimedInviteNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """
+ Reads a single `User` that is related to this `MembershipClaimedInvite`.
+ """
+ sender: User
+
+ """
+ Reads a single `User` that is related to this `MembershipClaimedInvite`.
+ """
+ receiver: User
+
+ """
+ Reads a single `User` that is related to this `MembershipClaimedInvite`.
+ """
+ entity: User
+
+ """An edge for our `MembershipClaimedInvite`. May be used by Relay 1."""
+ membershipClaimedInviteEdge(
+ """The method to use when ordering `MembershipClaimedInvite`."""
+ orderBy: [MembershipClaimedInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipClaimedInvitesEdge
+}
+
+"""All input for the `deleteMembershipClaimedInvite` mutation."""
+input DeleteMembershipClaimedInviteInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""The output of our delete `MembershipInvite` mutation."""
+type DeleteMembershipInvitePayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `MembershipInvite` that was deleted by this mutation."""
+ membershipInvite: MembershipInvite
+ deletedMembershipInviteNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `MembershipInvite`."""
+ sender: User
+
+ """Reads a single `User` that is related to this `MembershipInvite`."""
+ receiver: User
+
+ """Reads a single `User` that is related to this `MembershipInvite`."""
+ entity: User
+
+ """An edge for our `MembershipInvite`. May be used by Relay 1."""
+ membershipInviteEdge(
+ """The method to use when ordering `MembershipInvite`."""
+ orderBy: [MembershipInvitesOrderBy!] = [PRIMARY_KEY_ASC]
+ ): MembershipInvitesEdge
+}
+
+"""All input for the `deleteMembershipInvite` mutation."""
+input DeleteMembershipInviteInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""
+All input for the `deleteMembershipInviteByEmailAndSenderIdAndEntityId` mutation.
+"""
+input DeleteMembershipInviteByEmailAndSenderIdAndEntityIdInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ email: String!
+ senderId: UUID!
+ entityId: UUID!
+}
+
+"""All input for the `deleteMembershipInviteByInviteToken` mutation."""
+input DeleteMembershipInviteByInviteTokenInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ inviteToken: String!
+}
+
+"""The output of our delete `AuditLog` mutation."""
+type DeleteAuditLogPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """The `AuditLog` that was deleted by this mutation."""
+ auditLog: AuditLog
+ deletedAuditLogNodeId: ID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+
+ """Reads a single `User` that is related to this `AuditLog`."""
+ actor: User
+
+ """An edge for our `AuditLog`. May be used by Relay 1."""
+ auditLogEdge(
+ """The method to use when ordering `AuditLog`."""
+ orderBy: [AuditLogsOrderBy!] = [PRIMARY_KEY_ASC]
+ ): AuditLogsEdge
+}
+
+"""All input for the `deleteAuditLog` mutation."""
+input DeleteAuditLogInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ id: UUID!
+}
+
+"""The output of our `uuidGenerateV4` mutation."""
+type UuidGenerateV4Payload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+ uuid: UUID
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+}
+
+"""All input for the `uuidGenerateV4` mutation."""
+input UuidGenerateV4Input {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+}
+
+"""The output of our `submitInviteCode` mutation."""
+type SubmitInviteCodePayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+ boolean: Boolean
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+}
+
+"""All input for the `submitInviteCode` mutation."""
+input SubmitInviteCodeInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ token: String
+}
+
+"""The output of our `submitMembershipInviteCode` mutation."""
+type SubmitMembershipInviteCodePayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+ boolean: Boolean
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+}
+
+"""All input for the `submitMembershipInviteCode` mutation."""
+input SubmitMembershipInviteCodeInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ token: String
+}
+
+"""The output of our `checkPassword` mutation."""
+type CheckPasswordPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+}
+
+"""All input for the `checkPassword` mutation."""
+input CheckPasswordInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ password: String
+}
+
+"""The output of our `confirmDeleteAccount` mutation."""
+type ConfirmDeleteAccountPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+ boolean: Boolean
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+}
+
+"""All input for the `confirmDeleteAccount` mutation."""
+input ConfirmDeleteAccountInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ userId: UUID
+ token: String
+}
+
+"""The output of our `extendTokenExpires` mutation."""
+type ExtendTokenExpiresPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+ apiToken: ApiToken
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+}
+
+type ApiToken {
+ id: UUID!
+ userId: UUID!
+ otToken: String
+ origin: String
+ ip: InternetAddress
+ uagent: String
+ accessToken: String!
+ accessTokenExpiresAt: Datetime!
+ isVerified: Boolean!
+ lastTotpVerified: Datetime
+ totpEnabled: Boolean!
+ lastPasswordVerified: Datetime
+ createdAt: Datetime
+ updatedAt: Datetime
+}
+
+"""All input for the `extendTokenExpires` mutation."""
+input ExtendTokenExpiresInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ amount: IntervalInput
+}
+
+"""
+An interval of time that has passed where the smallest distinct unit is a second.
+"""
+input IntervalInput {
+ """
+ A quantity of seconds. This is the only non-integer field, as all the other
+ fields will dump their overflow into a smaller unit of time. Intervals don’t
+ have a smaller unit than seconds.
+ """
+ seconds: Float
+
+ """A quantity of minutes."""
+ minutes: Int
+
+ """A quantity of hours."""
+ hours: Int
+
+ """A quantity of days."""
+ days: Int
+
+ """A quantity of months."""
+ months: Int
+
+ """A quantity of years."""
+ years: Int
+}
+
+"""The output of our `forgotPassword` mutation."""
+type ForgotPasswordPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+}
+
+"""All input for the `forgotPassword` mutation."""
+input ForgotPasswordInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ email: String
+}
+
+"""The output of our `login` mutation."""
+type LoginPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+ apiToken: ApiToken
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+}
+
+"""All input for the `login` mutation."""
+input LoginInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ email: String!
+ password: String!
+ rememberMe: Boolean
+}
+
+"""The output of our `loginOneTimeToken` mutation."""
+type LoginOneTimeTokenPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+ apiToken: ApiToken
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+}
+
+"""All input for the `loginOneTimeToken` mutation."""
+input LoginOneTimeTokenInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ token: String!
+}
+
+"""The output of our `logout` mutation."""
+type LogoutPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+}
+
+"""All input for the `logout` mutation."""
+input LogoutInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+}
+
+"""The output of our `oneTimeToken` mutation."""
+type OneTimeTokenPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+ string: String
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+}
+
+"""All input for the `oneTimeToken` mutation."""
+input OneTimeTokenInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ email: String!
+ password: String!
+ origin: String!
+ rememberMe: Boolean
+}
+
+"""The output of our `register` mutation."""
+type RegisterPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+ apiToken: ApiToken
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+}
+
+"""All input for the `register` mutation."""
+input RegisterInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ email: String
+ password: String
+ rememberMe: Boolean
+}
+
+"""The output of our `resetPassword` mutation."""
+type ResetPasswordPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+ boolean: Boolean
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+}
+
+"""All input for the `resetPassword` mutation."""
+input ResetPasswordInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ roleId: UUID
+ resetToken: String
+ newPassword: String
+}
+
+"""The output of our `sendAccountDeletionEmail` mutation."""
+type SendAccountDeletionEmailPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+ boolean: Boolean
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+}
+
+"""All input for the `sendAccountDeletionEmail` mutation."""
+input SendAccountDeletionEmailInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+}
+
+"""The output of our `sendVerificationEmail` mutation."""
+type SendVerificationEmailPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+ boolean: Boolean
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+}
+
+"""All input for the `sendVerificationEmail` mutation."""
+input SendVerificationEmailInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ email: String
+}
+
+"""The output of our `setPassword` mutation."""
+type SetPasswordPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+ boolean: Boolean
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+}
+
+"""All input for the `setPassword` mutation."""
+input SetPasswordInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ currentPassword: String
+ newPassword: String
+}
+
+"""The output of our `verifyEmail` mutation."""
+type VerifyEmailPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+ boolean: Boolean
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+}
+
+"""All input for the `verifyEmail` mutation."""
+input VerifyEmailInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ emailId: UUID
+ token: String
+}
+
+"""The output of our `verifyPassword` mutation."""
+type VerifyPasswordPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+ apiToken: ApiToken
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+}
+
+"""All input for the `verifyPassword` mutation."""
+input VerifyPasswordInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ password: String!
+}
+
+"""The output of our `verifyTotp` mutation."""
+type VerifyTotpPayload {
+ """
+ The exact same `clientMutationId` that was provided in the mutation input,
+ unchanged and unused. May be used by a client to track mutations.
+ """
+ clientMutationId: String
+ apiToken: ApiToken
+
+ """
+ Our root query field type. Allows us to run any query from our mutation payload.
+ """
+ query: Query
+}
+
+"""All input for the `verifyTotp` mutation."""
+input VerifyTotpInput {
+ """
+ An arbitrary string value with no semantic meaning. Will be included in the
+ payload verbatim. May be used to track mutations by the client.
+ """
+ clientMutationId: String
+ totpValue: String!
+}
+
+type MetaschemaType {
+ pgAlias: String!
+ pgType: String!
+ gqlType: String!
+ subtype: String
+ modifier: Int
+ typmod: JSON
+ isArray: Boolean!
+}
+
+type MetaschemaField {
+ name: String!
+ type: MetaschemaType!
+}
+
+type MetaschemaTableInflection {
+ allRows: String!
+ allRowsSimple: String!
+ tableFieldName: String!
+ tableType: String!
+ createPayloadType: String!
+ orderByType: String!
+ filterType: String
+ inputType: String!
+ patchType: String
+ conditionType: String!
+ patchField: String!
+ edge: String!
+ edgeField: String!
+ connection: String!
+ typeName: String!
+ enumType: String!
+ updatePayloadType: String
+ deletePayloadType: String!
+ deleteByPrimaryKey: String
+ updateByPrimaryKey: String
+ createField: String!
+ createInputType: String!
+}
+
+type MetaschemaTableQuery {
+ all: String!
+ one: String!
+ create: String!
+ update: String
+ delete: String
+}
+
+type MetaschemaTableManyToManyRelation {
+ fieldName: String
+ type: String
+ leftKeyAttributes: [MetaschemaField]!
+ rightKeyAttributes: [MetaschemaField]!
+ junctionLeftKeyAttributes: [MetaschemaField]!
+ junctionRightKeyAttributes: [MetaschemaField]!
+ junctionTable: MetaschemaTable!
+ rightTable: MetaschemaTable!
+ junctionLeftConstraint: MetaschemaForeignKeyConstraint!
+ junctionRightConstraint: MetaschemaForeignKeyConstraint!
+}
+
+type MetaschemaTableHasRelation {
+ fieldName: String
+ type: String
+ referencedBy: MetaschemaTable!
+ isUnique: Boolean!
+ keys: [MetaschemaField]
+}
+
+type MetaschemaTableBelongsToRelation {
+ fieldName: String
+ type: String
+ references: MetaschemaTable!
+ isUnique: Boolean!
+ keys: [MetaschemaField]
+}
+
+type MetaschemaTableRelation {
+ hasOne: [MetaschemaTableHasRelation]
+ hasMany: [MetaschemaTableHasRelation]
+ has: [MetaschemaTableHasRelation]
+ belongsTo: [MetaschemaTableBelongsToRelation]
+ manyToMany: [MetaschemaTableManyToManyRelation]
+}
+
+type MetaschemaTable {
+ name: String!
+ query: MetaschemaTableQuery!
+ inflection: MetaschemaTableInflection!
+ relations: MetaschemaTableRelation
+ fields: [MetaschemaField]
+ constraints: [MetaschemaConstraint]
+ foreignKeyConstraints: [MetaschemaForeignKeyConstraint]
+ primaryKeyConstraints: [MetaschemaPrimaryKeyConstraint]
+ uniqueConstraints: [MetaschemaUniqueConstraint]
+ checkConstraints: [MetaschemaCheckConstraint]
+ exclusionConstraints: [MetaschemaExclusionConstraint]
+}
+
+union MetaschemaConstraint = MetaschemaForeignKeyConstraint | MetaschemaUniqueConstraint | MetaschemaPrimaryKeyConstraint | MetaschemaCheckConstraint | MetaschemaExclusionConstraint
+
+type MetaschemaForeignKeyConstraint {
+ name: String!
+ fields: [MetaschemaField]
+ refTable: MetaschemaTable
+ refFields: [MetaschemaField]
+}
+
+type MetaschemaUniqueConstraint {
+ name: String!
+ fields: [MetaschemaField]
+}
+
+type MetaschemaPrimaryKeyConstraint {
+ name: String!
+ fields: [MetaschemaField]
+}
+
+type MetaschemaCheckConstraint {
+ name: String!
+ fields: [MetaschemaField]
+}
+
+type MetaschemaExclusionConstraint {
+ name: String!
+ fields: [MetaschemaField]
+}
+
+type Metaschema {
+ tables: [MetaschemaTable]
+}
diff --git a/graphql/codegen/examples/type-inference-test.ts b/graphql/codegen/examples/type-inference-test.ts
new file mode 100644
index 000000000..5a1fa823b
--- /dev/null
+++ b/graphql/codegen/examples/type-inference-test.ts
@@ -0,0 +1,160 @@
+/**
+ * Type inference verification test
+ *
+ * This file verifies that Select types with relations have proper type inference.
+ * Run: npx tsc --noEmit examples/type-inference-test.ts
+ */
+import { createClient } from '../output-orm';
+import type { OrderSelect, ProductSelect, UserSelect } from '../output-orm/input-types';
+
+const db = createClient({ endpoint: 'http://public-0e394519.localhost:3000/graphql' });
+
+// ============================================================================
+// TYPE VERIFICATION SECTION
+// These type aliases are for verifying the structure is correct
+// ============================================================================
+
+// Verify OrderSelect has relation fields with proper typing
+type OrderSelectKeys = keyof OrderSelect;
+type TestBelongsTo = OrderSelect['customer']; // boolean | { select?: UserSelect }
+type TestHasMany = OrderSelect['orderItems']; // boolean | { select?: OrderItemSelect; first?: number; ... }
+
+// Verify ProductSelect has relation fields
+type ProductSelectKeys = keyof ProductSelect;
+type TestProductSeller = ProductSelect['seller']; // boolean | { select?: UserSelect }
+type TestProductCategory = ProductSelect['category']; // boolean | { select?: CategorySelect }
+
+// ============================================================================
+// COMPILE-TIME TEST SECTION
+// If these functions compile without errors, the types are correct
+// ============================================================================
+
+async function testBelongsToRelation() {
+ // Test belongsTo relation: Order.customer -> User
+ const orders = await db.order.findMany({
+ select: {
+ id: true,
+ orderNumber: true,
+ status: true,
+ // belongsTo: nested select should accept UserSelect fields
+ customer: {
+ select: {
+ id: true,
+ username: true,
+ displayName: true
+ }
+ }
+ },
+ first: 10
+ }).execute();
+
+ // Return type should be narrowed
+ if (orders.data?.orders?.nodes[0]) {
+ const order = orders.data.orders.nodes[0];
+ console.log(order.id);
+ console.log(order.orderNumber);
+ // Uncomment to verify TypeScript error:
+ // console.log(order.totalAmount); // Error: Property 'totalAmount' does not exist
+ }
+}
+
+async function testHasManyRelation() {
+ // Test hasMany relation: Order.orderItems -> OrderItemsConnection
+ const orders = await db.order.findMany({
+ select: {
+ id: true,
+ // hasMany: should accept nested select + pagination params
+ orderItems: {
+ select: {
+ id: true,
+ quantity: true,
+ price: true
+ },
+ first: 5
+ // filter and orderBy are also available but not tested here
+ }
+ }
+ }).execute();
+
+ return orders;
+}
+
+async function testManyToManyRelation() {
+ // Test manyToMany relation: Order.productsByOrderItemOrderIdAndProductId -> ProductsConnection
+ const orders = await db.order.findMany({
+ select: {
+ id: true,
+ // manyToMany through junction table
+ productsByOrderItemOrderIdAndProductId: {
+ select: {
+ id: true,
+ name: true,
+ price: true
+ },
+ first: 10
+ }
+ }
+ }).execute();
+
+ return orders;
+}
+
+async function testNestedRelations() {
+ // Test multiple levels of relations
+ const products = await db.product.findMany({
+ select: {
+ id: true,
+ name: true,
+ // belongsTo: seller
+ seller: {
+ select: {
+ id: true,
+ username: true
+ }
+ },
+ // belongsTo: category
+ category: {
+ select: {
+ id: true,
+ name: true
+ }
+ },
+ // hasMany: reviews
+ reviews: {
+ select: {
+ id: true,
+ rating: true,
+ comment: true
+ },
+ first: 5
+ }
+ },
+ first: 10
+ }).execute();
+
+ return products;
+}
+
+// ============================================================================
+// RUNTIME TEST
+// ============================================================================
+
+async function runTests() {
+ console.log('Type inference tests:');
+ console.log('1. BelongsTo relation...');
+ await testBelongsToRelation();
+
+ console.log('2. HasMany relation...');
+ await testHasManyRelation();
+
+ console.log('3. ManyToMany relation...');
+ await testManyToManyRelation();
+
+ console.log('4. Nested relations...');
+ await testNestedRelations();
+
+ console.log('\nAll type inference tests passed!');
+}
+
+// This file is primarily for type checking, but can be run for verification
+runTests().catch(console.error);
diff --git a/graphql/codegen/jest.config.js b/graphql/codegen/jest.config.js
index f4c0ce047..92ab69de3 100644
--- a/graphql/codegen/jest.config.js
+++ b/graphql/codegen/jest.config.js
@@ -1,18 +1,22 @@
-/** @type {import('ts-jest').JestConfigWithTsJest} */
+/** @type {import('jest').Config} */
module.exports = {
- preset: 'ts-jest',
+ preset: 'ts-jest/presets/default-esm',
testEnvironment: 'node',
+ extensionsToTreatAsEsm: ['.ts'],
+ moduleNameMapper: {
+ '^@/(.*)$': '/src/$1',
+ '^(\\.{1,2}/.*)\\.js$': '$1',
+ },
transform: {
'^.+\\.tsx?$': [
'ts-jest',
{
- babelConfig: false,
+ useESM: true,
tsconfig: 'tsconfig.json',
},
],
},
- transformIgnorePatterns: [`/node_modules/*`],
- testRegex: '(/__tests__/.*|(\\.|/)(test|spec))\\.(jsx?|tsx?)$',
- moduleFileExtensions: ['ts', 'tsx', 'js', 'jsx', 'json', 'node'],
- modulePathIgnorePatterns: ['dist/*'],
+ testMatch: ['/src/**/*.test.ts'],
+ modulePathIgnorePatterns: ['/dist/'],
+ testPathIgnorePatterns: ['/node_modules/', '/dist/'],
};
diff --git a/graphql/codegen/package.json b/graphql/codegen/package.json
index dd1a84903..4dc5eceb2 100644
--- a/graphql/codegen/package.json
+++ b/graphql/codegen/package.json
@@ -1,17 +1,20 @@
{
"name": "@constructive-io/graphql-codegen",
"version": "2.19.0",
- "description": "Generate queries and mutations for use with Graphile",
+ "description": "CLI-based GraphQL SDK generator for PostGraphile endpoints with React Query hooks",
+ "keywords": [
+ "graphql",
+ "postgraphile",
+ "codegen",
+ "react-query",
+ "tanstack-query",
+ "typescript",
+ "graphile",
+ "constructive"
+ ],
"author": "Constructive ",
- "main": "index.js",
- "module": "esm/index.js",
- "types": "index.d.ts",
- "homepage": "https://github.com/constructive-io/constructive",
"license": "MIT",
- "publishConfig": {
- "access": "public",
- "directory": "dist"
- },
+ "homepage": "https://github.com/constructive-io/constructive",
"repository": {
"type": "git",
"url": "https://github.com/constructive-io/constructive"
@@ -19,42 +22,61 @@
"bugs": {
"url": "https://github.com/constructive-io/constructive/issues"
},
+ "publishConfig": {
+ "access": "public",
+ "directory": "dist"
+ },
+
+ "main": "index.js",
+ "module": "index.mjs",
+ "types": "index.d.ts",
+ "bin": {
+ "graphql-codegen": "index.js"
+ },
"scripts": {
"clean": "makage clean",
"prepack": "npm run build",
"build": "makage build",
"build:dev": "makage build --dev",
+ "dev": "ts-node ./src/index.ts",
"lint": "eslint . --fix",
"test": "jest --passWithNoTests",
- "test:watch": "jest --watch"
- },
- "devDependencies": {
- "@constructive-io/graphql-test": "workspace:^",
- "@types/babel__generator": "^7.27.0",
- "@types/inflection": "^2.0.0",
- "makage": "^0.1.10"
+ "test:watch": "jest --watch",
+ "example:orm": "tsx examples/test-orm.ts",
+ "example:rq": "tsx examples/test-rq.ts",
+ "example:schema": "tsx examples/download-schema.ts"
},
"dependencies": {
- "@babel/generator": "^7.26.3",
- "@babel/parser": "^7.28.5",
- "@babel/types": "^7.26.3",
- "@graphql-codegen/core": "5.0.0",
- "@graphql-codegen/typescript": "5.0.5",
- "@graphql-codegen/typescript-graphql-request": "6.0.1",
- "@graphql-codegen/typescript-operations": "5.0.5",
- "@graphql-codegen/typescript-react-query": "6.1.1",
+ "ajv": "^8.17.1",
+ "commander": "^12.1.0",
"gql-ast": "workspace:^",
- "graphql": "15.10.1",
- "graphql-request": "6.1.0",
- "graphql-tag": "2.12.6",
- "inflection": "^1.12.0",
- "introspectron": "workspace:^"
+ "graphql": "15.8.0",
+ "inflection": "^3.0.2",
+ "jiti": "^2.6.1",
+ "prettier": "^3.7.4",
+ "ts-morph": "^27.0.2"
},
- "keywords": [
- "graphql",
- "codegen",
- "generator",
- "graphile",
- "constructive"
- ]
+ "peerDependencies": {
+ "@tanstack/react-query": "^5.0.0",
+ "react": "^18.0.0 || ^19.0.0"
+ },
+ "peerDependenciesMeta": {
+ "@tanstack/react-query": {
+ "optional": true
+ },
+ "react": {
+ "optional": true
+ }
+ },
+ "devDependencies": {
+ "@tanstack/react-query": "^5.90.16",
+ "@types/inflection": "^1.13.2",
+ "@types/jest": "^29.5.14",
+ "@types/node": "^20.19.27",
+ "@types/react": "^19.2.7",
+ "jest": "^29.7.0",
+ "react": "^19.2.3",
+ "ts-jest": "^29.2.5",
+ "typescript": "^5.9.3"
+ }
}
diff --git a/graphql/codegen/sql/test.sql b/graphql/codegen/sql/test.sql
deleted file mode 100644
index 31f88ceca..000000000
--- a/graphql/codegen/sql/test.sql
+++ /dev/null
@@ -1,38 +0,0 @@
-BEGIN;
-
-CREATE EXTENSION IF NOT EXISTS citext;
-CREATE EXTENSION IF NOT EXISTS "uuid-ossp";
-
-DROP SCHEMA IF EXISTS constructive_gen CASCADE;
-CREATE SCHEMA constructive_gen;
-
--- Users table
-CREATE TABLE constructive_gen.users (
- id serial PRIMARY KEY,
- username citext NOT NULL UNIQUE CHECK (length(username) < 127),
- email citext,
- created_at timestamptz NOT NULL DEFAULT now()
-);
-
--- Posts table
-CREATE TABLE constructive_gen.posts (
- id uuid PRIMARY KEY DEFAULT uuid_generate_v4(),
- user_id int NOT NULL REFERENCES constructive_gen.users(id),
- title text NOT NULL,
- body text,
- published boolean DEFAULT false,
- published_at timestamptz
-);
-
--- A simple view (to test classKind !== 'r')
-CREATE VIEW constructive_gen.active_users AS
-SELECT id, username FROM constructive_gen.users WHERE username IS NOT NULL;
-
--- A function (to test procedure introspection)
-CREATE FUNCTION constructive_gen.user_count() RETURNS integer AS $$
-BEGIN
- RETURN (SELECT count(*) FROM constructive_gen.users);
-END;
-$$ LANGUAGE plpgsql STABLE;
-
-COMMIT;
diff --git a/graphql/codegen/src/__tests__/codegen/__snapshots__/input-types-generator.test.ts.snap b/graphql/codegen/src/__tests__/codegen/__snapshots__/input-types-generator.test.ts.snap
new file mode 100644
index 000000000..5e72a33c6
--- /dev/null
+++ b/graphql/codegen/src/__tests__/codegen/__snapshots__/input-types-generator.test.ts.snap
@@ -0,0 +1,2337 @@
+// Jest Snapshot v1, https://goo.gl/fbAQLP
+
+exports[`generateInputTypesFile generates complete types file for multiple tables with relations 1`] = `
+"/**
+* GraphQL types for ORM client
+* @generated by @constructive-io/graphql-codegen
+* DO NOT EDIT - changes will be overwritten
+*/
+
+// ============================================================================
+// Scalar Filter Types
+// ============================================================================
+
+export interface StringFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+ includes?: string;
+ notIncludes?: string;
+ includesInsensitive?: string;
+ notIncludesInsensitive?: string;
+ startsWith?: string;
+ notStartsWith?: string;
+ startsWithInsensitive?: string;
+ notStartsWithInsensitive?: string;
+ endsWith?: string;
+ notEndsWith?: string;
+ endsWithInsensitive?: string;
+ notEndsWithInsensitive?: string;
+ like?: string;
+ notLike?: string;
+ likeInsensitive?: string;
+ notLikeInsensitive?: string;
+}
+
+export interface IntFilter {
+ isNull?: boolean;
+ equalTo?: number;
+ notEqualTo?: number;
+ distinctFrom?: number;
+ notDistinctFrom?: number;
+ in?: number[];
+ notIn?: number[];
+ lessThan?: number;
+ lessThanOrEqualTo?: number;
+ greaterThan?: number;
+ greaterThanOrEqualTo?: number;
+}
+
+export interface FloatFilter {
+ isNull?: boolean;
+ equalTo?: number;
+ notEqualTo?: number;
+ distinctFrom?: number;
+ notDistinctFrom?: number;
+ in?: number[];
+ notIn?: number[];
+ lessThan?: number;
+ lessThanOrEqualTo?: number;
+ greaterThan?: number;
+ greaterThanOrEqualTo?: number;
+}
+
+export interface BooleanFilter {
+ isNull?: boolean;
+ equalTo?: boolean;
+ notEqualTo?: boolean;
+}
+
+export interface UUIDFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+}
+
+export interface DatetimeFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+export interface DateFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+export interface JSONFilter {
+ isNull?: boolean;
+ equalTo?: Record;
+ notEqualTo?: Record;
+ distinctFrom?: Record;
+ notDistinctFrom?: Record;
+ contains?: Record;
+ containedBy?: Record;
+ containsKey?: string;
+ containsAllKeys?: string[];
+ containsAnyKeys?: string[];
+}
+
+export interface BigIntFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+export interface BigFloatFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+export interface BitStringFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+}
+
+export interface InternetAddressFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+ contains?: string;
+ containsOrEqualTo?: string;
+ containedBy?: string;
+ containedByOrEqualTo?: string;
+ containsOrContainedBy?: string;
+}
+
+export interface FullTextFilter {
+ matches?: string;
+}
+
+// ============================================================================
+// Entity Types
+// ============================================================================
+
+export interface User {
+ id: string;
+ email?: string | null;
+ name?: string | null;
+ age?: number | null;
+ isActive?: boolean | null;
+ createdAt?: string | null;
+ metadata?: Record | null;
+}
+
+export interface Post {
+ id: string;
+ title?: string | null;
+ content?: string | null;
+ authorId?: string | null;
+ publishedAt?: string | null;
+ tags?: string | null;
+}
+
+export interface Comment {
+ id: string;
+ body?: string | null;
+ postId?: string | null;
+ authorId?: string | null;
+ createdAt?: string | null;
+}
+
+// ============================================================================
+// Relation Helper Types
+// ============================================================================
+
+export interface ConnectionResult {
+ nodes: T[];
+ totalCount: number;
+ pageInfo: PageInfo;
+}
+
+export interface PageInfo {
+ hasNextPage: boolean;
+ hasPreviousPage: boolean;
+ startCursor?: string | null;
+ endCursor?: string | null;
+}
+
+// ============================================================================
+// Entity Relation Types
+// ============================================================================
+
+export interface UserRelations {
+ posts?: ConnectionResult;
+ comments?: ConnectionResult;
+}
+
+export interface PostRelations {
+ author?: User | null;
+ comments?: ConnectionResult;
+}
+
+export interface CommentRelations {
+ post?: Post | null;
+ author?: User | null;
+}
+
+// ============================================================================
+// Entity Types With Relations
+// ============================================================================
+
+export type UserWithRelations = User & UserRelations;
+
+export type PostWithRelations = Post & PostRelations;
+
+export type CommentWithRelations = Comment & CommentRelations;
+
+// ============================================================================
+// Entity Select Types
+// ============================================================================
+
+export type UserSelect = {
+ id?: boolean;
+ email?: boolean;
+ name?: boolean;
+ age?: boolean;
+ isActive?: boolean;
+ createdAt?: boolean;
+ metadata?: boolean;
+ posts?: boolean | {
+ select?: PostSelect;
+ first?: number;
+ filter?: PostFilter;
+ orderBy?: PostsOrderBy[];
+ };
+ comments?: boolean | {
+ select?: CommentSelect;
+ first?: number;
+ filter?: CommentFilter;
+ orderBy?: CommentsOrderBy[];
+ };
+ };
+
+export type PostSelect = {
+ id?: boolean;
+ title?: boolean;
+ content?: boolean;
+ authorId?: boolean;
+ publishedAt?: boolean;
+ tags?: boolean;
+ author?: boolean | { select?: UserSelect };
+ comments?: boolean | {
+ select?: CommentSelect;
+ first?: number;
+ filter?: CommentFilter;
+ orderBy?: CommentsOrderBy[];
+ };
+ };
+
+export type CommentSelect = {
+ id?: boolean;
+ body?: boolean;
+ postId?: boolean;
+ authorId?: boolean;
+ createdAt?: boolean;
+ post?: boolean | { select?: PostSelect };
+ author?: boolean | { select?: UserSelect };
+ };
+
+// ============================================================================
+// Table Filter Types
+// ============================================================================
+
+export interface UserFilter {
+ id?: UUIDFilter;
+ email?: StringFilter;
+ name?: StringFilter;
+ age?: IntFilter;
+ isActive?: BooleanFilter;
+ createdAt?: DatetimeFilter;
+ metadata?: JSONFilter;
+ and?: UserFilter[];
+ or?: UserFilter[];
+ not?: UserFilter;
+}
+
+export interface PostFilter {
+ id?: UUIDFilter;
+ title?: StringFilter;
+ content?: StringFilter;
+ authorId?: UUIDFilter;
+ publishedAt?: DatetimeFilter;
+ tags?: StringFilter;
+ and?: PostFilter[];
+ or?: PostFilter[];
+ not?: PostFilter;
+}
+
+export interface CommentFilter {
+ id?: UUIDFilter;
+ body?: StringFilter;
+ postId?: UUIDFilter;
+ authorId?: UUIDFilter;
+ createdAt?: DatetimeFilter;
+ and?: CommentFilter[];
+ or?: CommentFilter[];
+ not?: CommentFilter;
+}
+
+// ============================================================================
+// OrderBy Types
+// ============================================================================
+
+export type UsersOrderBy = 'PRIMARY_KEY_ASC' | 'PRIMARY_KEY_DESC' | 'NATURAL' | 'ID_ASC' | 'ID_DESC' | 'EMAIL_ASC' | 'EMAIL_DESC' | 'NAME_ASC' | 'NAME_DESC' | 'AGE_ASC' | 'AGE_DESC' | 'IS_ACTIVE_ASC' | 'IS_ACTIVE_DESC' | 'CREATED_AT_ASC' | 'CREATED_AT_DESC' | 'METADATA_ASC' | 'METADATA_DESC';
+
+export type PostsOrderBy = 'PRIMARY_KEY_ASC' | 'PRIMARY_KEY_DESC' | 'NATURAL' | 'ID_ASC' | 'ID_DESC' | 'TITLE_ASC' | 'TITLE_DESC' | 'CONTENT_ASC' | 'CONTENT_DESC' | 'AUTHOR_ID_ASC' | 'AUTHOR_ID_DESC' | 'PUBLISHED_AT_ASC' | 'PUBLISHED_AT_DESC' | 'TAGS_ASC' | 'TAGS_DESC';
+
+export type CommentsOrderBy = 'PRIMARY_KEY_ASC' | 'PRIMARY_KEY_DESC' | 'NATURAL' | 'ID_ASC' | 'ID_DESC' | 'BODY_ASC' | 'BODY_DESC' | 'POST_ID_ASC' | 'POST_ID_DESC' | 'AUTHOR_ID_ASC' | 'AUTHOR_ID_DESC' | 'CREATED_AT_ASC' | 'CREATED_AT_DESC';
+
+// ============================================================================
+// CRUD Input Types
+// ============================================================================
+
+export interface CreateUserInput {
+ clientMutationId?: string;
+ user: {
+ email?: string;
+ name?: string;
+ age?: number;
+ isActive?: boolean;
+ metadata?: Record;
+ };
+}
+
+export interface UserPatch {
+ email?: string | null;
+ name?: string | null;
+ age?: number | null;
+ isActive?: boolean | null;
+ metadata?: Record | null;
+}
+
+export interface UpdateUserInput {
+ clientMutationId?: string;
+ id: string;
+ patch: UserPatch;
+}
+
+export interface DeleteUserInput {
+ clientMutationId?: string;
+ id: string;
+}
+
+export interface CreatePostInput {
+ clientMutationId?: string;
+ post: {
+ title?: string;
+ content?: string;
+ authorId: string;
+ publishedAt?: string;
+ tags?: string;
+ };
+}
+
+export interface PostPatch {
+ title?: string | null;
+ content?: string | null;
+ authorId?: string | null;
+ publishedAt?: string | null;
+ tags?: string | null;
+}
+
+export interface UpdatePostInput {
+ clientMutationId?: string;
+ id: string;
+ patch: PostPatch;
+}
+
+export interface DeletePostInput {
+ clientMutationId?: string;
+ id: string;
+}
+
+export interface CreateCommentInput {
+ clientMutationId?: string;
+ comment: {
+ body?: string;
+ postId: string;
+ authorId: string;
+ };
+}
+
+export interface CommentPatch {
+ body?: string | null;
+ postId?: string | null;
+ authorId?: string | null;
+}
+
+export interface UpdateCommentInput {
+ clientMutationId?: string;
+ id: string;
+ patch: CommentPatch;
+}
+
+export interface DeleteCommentInput {
+ clientMutationId?: string;
+ id: string;
+}
+
+// ============================================================================
+// Custom Input Types (from schema)
+// ============================================================================
+"
+`;
+
+exports[`generateInputTypesFile generates complete types file for single table 1`] = `
+"/**
+* GraphQL types for ORM client
+* @generated by @constructive-io/graphql-codegen
+* DO NOT EDIT - changes will be overwritten
+*/
+
+// ============================================================================
+// Scalar Filter Types
+// ============================================================================
+
+export interface StringFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+ includes?: string;
+ notIncludes?: string;
+ includesInsensitive?: string;
+ notIncludesInsensitive?: string;
+ startsWith?: string;
+ notStartsWith?: string;
+ startsWithInsensitive?: string;
+ notStartsWithInsensitive?: string;
+ endsWith?: string;
+ notEndsWith?: string;
+ endsWithInsensitive?: string;
+ notEndsWithInsensitive?: string;
+ like?: string;
+ notLike?: string;
+ likeInsensitive?: string;
+ notLikeInsensitive?: string;
+}
+
+export interface IntFilter {
+ isNull?: boolean;
+ equalTo?: number;
+ notEqualTo?: number;
+ distinctFrom?: number;
+ notDistinctFrom?: number;
+ in?: number[];
+ notIn?: number[];
+ lessThan?: number;
+ lessThanOrEqualTo?: number;
+ greaterThan?: number;
+ greaterThanOrEqualTo?: number;
+}
+
+export interface FloatFilter {
+ isNull?: boolean;
+ equalTo?: number;
+ notEqualTo?: number;
+ distinctFrom?: number;
+ notDistinctFrom?: number;
+ in?: number[];
+ notIn?: number[];
+ lessThan?: number;
+ lessThanOrEqualTo?: number;
+ greaterThan?: number;
+ greaterThanOrEqualTo?: number;
+}
+
+export interface BooleanFilter {
+ isNull?: boolean;
+ equalTo?: boolean;
+ notEqualTo?: boolean;
+}
+
+export interface UUIDFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+}
+
+export interface DatetimeFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+export interface DateFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+export interface JSONFilter {
+ isNull?: boolean;
+ equalTo?: Record;
+ notEqualTo?: Record;
+ distinctFrom?: Record;
+ notDistinctFrom?: Record;
+ contains?: Record;
+ containedBy?: Record;
+ containsKey?: string;
+ containsAllKeys?: string[];
+ containsAnyKeys?: string[];
+}
+
+export interface BigIntFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+export interface BigFloatFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+export interface BitStringFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+}
+
+export interface InternetAddressFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+ contains?: string;
+ containsOrEqualTo?: string;
+ containedBy?: string;
+ containedByOrEqualTo?: string;
+ containsOrContainedBy?: string;
+}
+
+export interface FullTextFilter {
+ matches?: string;
+}
+
+// ============================================================================
+// Entity Types
+// ============================================================================
+
+export interface User {
+ id: string;
+ email?: string | null;
+ name?: string | null;
+ age?: number | null;
+ isActive?: boolean | null;
+ createdAt?: string | null;
+ metadata?: Record | null;
+}
+
+// ============================================================================
+// Relation Helper Types
+// ============================================================================
+
+export interface ConnectionResult {
+ nodes: T[];
+ totalCount: number;
+ pageInfo: PageInfo;
+}
+
+export interface PageInfo {
+ hasNextPage: boolean;
+ hasPreviousPage: boolean;
+ startCursor?: string | null;
+ endCursor?: string | null;
+}
+
+// ============================================================================
+// Entity Relation Types
+// ============================================================================
+
+export interface UserRelations {
+}
+
+// ============================================================================
+// Entity Types With Relations
+// ============================================================================
+
+export type UserWithRelations = User & UserRelations;
+
+// ============================================================================
+// Entity Select Types
+// ============================================================================
+
+export type UserSelect = {
+ id?: boolean;
+ email?: boolean;
+ name?: boolean;
+ age?: boolean;
+ isActive?: boolean;
+ createdAt?: boolean;
+ metadata?: boolean;
+ };
+
+// ============================================================================
+// Table Filter Types
+// ============================================================================
+
+export interface UserFilter {
+ id?: UUIDFilter;
+ email?: StringFilter;
+ name?: StringFilter;
+ age?: IntFilter;
+ isActive?: BooleanFilter;
+ createdAt?: DatetimeFilter;
+ metadata?: JSONFilter;
+ and?: UserFilter[];
+ or?: UserFilter[];
+ not?: UserFilter;
+}
+
+// ============================================================================
+// OrderBy Types
+// ============================================================================
+
+export type UsersOrderBy = 'PRIMARY_KEY_ASC' | 'PRIMARY_KEY_DESC' | 'NATURAL' | 'ID_ASC' | 'ID_DESC' | 'EMAIL_ASC' | 'EMAIL_DESC' | 'NAME_ASC' | 'NAME_DESC' | 'AGE_ASC' | 'AGE_DESC' | 'IS_ACTIVE_ASC' | 'IS_ACTIVE_DESC' | 'CREATED_AT_ASC' | 'CREATED_AT_DESC' | 'METADATA_ASC' | 'METADATA_DESC';
+
+// ============================================================================
+// CRUD Input Types
+// ============================================================================
+
+export interface CreateUserInput {
+ clientMutationId?: string;
+ user: {
+ email?: string;
+ name?: string;
+ age?: number;
+ isActive?: boolean;
+ metadata?: Record;
+ };
+}
+
+export interface UserPatch {
+ email?: string | null;
+ name?: string | null;
+ age?: number | null;
+ isActive?: boolean | null;
+ metadata?: Record | null;
+}
+
+export interface UpdateUserInput {
+ clientMutationId?: string;
+ id: string;
+ patch: UserPatch;
+}
+
+export interface DeleteUserInput {
+ clientMutationId?: string;
+ id: string;
+}
+
+// ============================================================================
+// Custom Input Types (from schema)
+// ============================================================================
+"
+`;
+
+exports[`generateInputTypesFile generates custom input types from TypeRegistry 1`] = `
+"/**
+* GraphQL types for ORM client
+* @generated by @constructive-io/graphql-codegen
+* DO NOT EDIT - changes will be overwritten
+*/
+
+// ============================================================================
+// Scalar Filter Types
+// ============================================================================
+
+export interface StringFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+ includes?: string;
+ notIncludes?: string;
+ includesInsensitive?: string;
+ notIncludesInsensitive?: string;
+ startsWith?: string;
+ notStartsWith?: string;
+ startsWithInsensitive?: string;
+ notStartsWithInsensitive?: string;
+ endsWith?: string;
+ notEndsWith?: string;
+ endsWithInsensitive?: string;
+ notEndsWithInsensitive?: string;
+ like?: string;
+ notLike?: string;
+ likeInsensitive?: string;
+ notLikeInsensitive?: string;
+}
+
+export interface IntFilter {
+ isNull?: boolean;
+ equalTo?: number;
+ notEqualTo?: number;
+ distinctFrom?: number;
+ notDistinctFrom?: number;
+ in?: number[];
+ notIn?: number[];
+ lessThan?: number;
+ lessThanOrEqualTo?: number;
+ greaterThan?: number;
+ greaterThanOrEqualTo?: number;
+}
+
+export interface FloatFilter {
+ isNull?: boolean;
+ equalTo?: number;
+ notEqualTo?: number;
+ distinctFrom?: number;
+ notDistinctFrom?: number;
+ in?: number[];
+ notIn?: number[];
+ lessThan?: number;
+ lessThanOrEqualTo?: number;
+ greaterThan?: number;
+ greaterThanOrEqualTo?: number;
+}
+
+export interface BooleanFilter {
+ isNull?: boolean;
+ equalTo?: boolean;
+ notEqualTo?: boolean;
+}
+
+export interface UUIDFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+}
+
+export interface DatetimeFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+export interface DateFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+export interface JSONFilter {
+ isNull?: boolean;
+ equalTo?: Record;
+ notEqualTo?: Record;
+ distinctFrom?: Record;
+ notDistinctFrom?: Record;
+ contains?: Record;
+ containedBy?: Record;
+ containsKey?: string;
+ containsAllKeys?: string[];
+ containsAnyKeys?: string[];
+}
+
+export interface BigIntFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+export interface BigFloatFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+export interface BitStringFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+}
+
+export interface InternetAddressFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+ contains?: string;
+ containsOrEqualTo?: string;
+ containedBy?: string;
+ containedByOrEqualTo?: string;
+ containsOrContainedBy?: string;
+}
+
+export interface FullTextFilter {
+ matches?: string;
+}
+
+// ============================================================================
+// Entity Types
+// ============================================================================
+
+export interface User {
+ id: string;
+ email?: string | null;
+ name?: string | null;
+ age?: number | null;
+ isActive?: boolean | null;
+ createdAt?: string | null;
+ metadata?: Record | null;
+}
+
+// ============================================================================
+// Relation Helper Types
+// ============================================================================
+
+export interface ConnectionResult {
+ nodes: T[];
+ totalCount: number;
+ pageInfo: PageInfo;
+}
+
+export interface PageInfo {
+ hasNextPage: boolean;
+ hasPreviousPage: boolean;
+ startCursor?: string | null;
+ endCursor?: string | null;
+}
+
+// ============================================================================
+// Entity Relation Types
+// ============================================================================
+
+export interface UserRelations {
+}
+
+// ============================================================================
+// Entity Types With Relations
+// ============================================================================
+
+export type UserWithRelations = User & UserRelations;
+
+// ============================================================================
+// Entity Select Types
+// ============================================================================
+
+export type UserSelect = {
+ id?: boolean;
+ email?: boolean;
+ name?: boolean;
+ age?: boolean;
+ isActive?: boolean;
+ createdAt?: boolean;
+ metadata?: boolean;
+ };
+
+// ============================================================================
+// Table Filter Types
+// ============================================================================
+
+export interface UserFilter {
+ id?: UUIDFilter;
+ email?: StringFilter;
+ name?: StringFilter;
+ age?: IntFilter;
+ isActive?: BooleanFilter;
+ createdAt?: DatetimeFilter;
+ metadata?: JSONFilter;
+ and?: UserFilter[];
+ or?: UserFilter[];
+ not?: UserFilter;
+}
+
+// ============================================================================
+// OrderBy Types
+// ============================================================================
+
+export type UsersOrderBy = 'PRIMARY_KEY_ASC' | 'PRIMARY_KEY_DESC' | 'NATURAL' | 'ID_ASC' | 'ID_DESC' | 'EMAIL_ASC' | 'EMAIL_DESC' | 'NAME_ASC' | 'NAME_DESC' | 'AGE_ASC' | 'AGE_DESC' | 'IS_ACTIVE_ASC' | 'IS_ACTIVE_DESC' | 'CREATED_AT_ASC' | 'CREATED_AT_DESC' | 'METADATA_ASC' | 'METADATA_DESC';
+
+// ============================================================================
+// CRUD Input Types
+// ============================================================================
+
+export interface CreateUserInput {
+ clientMutationId?: string;
+ user: {
+ email?: string;
+ name?: string;
+ age?: number;
+ isActive?: boolean;
+ metadata?: Record;
+ };
+}
+
+export interface UserPatch {
+ email?: string | null;
+ name?: string | null;
+ age?: number | null;
+ isActive?: boolean | null;
+ metadata?: Record | null;
+}
+
+export interface UpdateUserInput {
+ clientMutationId?: string;
+ id: string;
+ patch: UserPatch;
+}
+
+export interface DeleteUserInput {
+ clientMutationId?: string;
+ id: string;
+}
+
+// ============================================================================
+// Custom Input Types (from schema)
+// ============================================================================
+
+export interface LoginInput {
+ email: string;
+ password: string;
+ rememberMe?: boolean;
+}
+
+export interface RegisterInput {
+ email: string;
+ password: string;
+ name?: string;
+}
+
+export type UserRole = 'ADMIN' | 'USER' | 'GUEST';
+"
+`;
+
+exports[`generateInputTypesFile generates payload types for custom operations 1`] = `
+"/**
+* GraphQL types for ORM client
+* @generated by @constructive-io/graphql-codegen
+* DO NOT EDIT - changes will be overwritten
+*/
+
+// ============================================================================
+// Scalar Filter Types
+// ============================================================================
+
+export interface StringFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+ includes?: string;
+ notIncludes?: string;
+ includesInsensitive?: string;
+ notIncludesInsensitive?: string;
+ startsWith?: string;
+ notStartsWith?: string;
+ startsWithInsensitive?: string;
+ notStartsWithInsensitive?: string;
+ endsWith?: string;
+ notEndsWith?: string;
+ endsWithInsensitive?: string;
+ notEndsWithInsensitive?: string;
+ like?: string;
+ notLike?: string;
+ likeInsensitive?: string;
+ notLikeInsensitive?: string;
+}
+
+export interface IntFilter {
+ isNull?: boolean;
+ equalTo?: number;
+ notEqualTo?: number;
+ distinctFrom?: number;
+ notDistinctFrom?: number;
+ in?: number[];
+ notIn?: number[];
+ lessThan?: number;
+ lessThanOrEqualTo?: number;
+ greaterThan?: number;
+ greaterThanOrEqualTo?: number;
+}
+
+export interface FloatFilter {
+ isNull?: boolean;
+ equalTo?: number;
+ notEqualTo?: number;
+ distinctFrom?: number;
+ notDistinctFrom?: number;
+ in?: number[];
+ notIn?: number[];
+ lessThan?: number;
+ lessThanOrEqualTo?: number;
+ greaterThan?: number;
+ greaterThanOrEqualTo?: number;
+}
+
+export interface BooleanFilter {
+ isNull?: boolean;
+ equalTo?: boolean;
+ notEqualTo?: boolean;
+}
+
+export interface UUIDFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+}
+
+export interface DatetimeFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+export interface DateFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+export interface JSONFilter {
+ isNull?: boolean;
+ equalTo?: Record;
+ notEqualTo?: Record;
+ distinctFrom?: Record;
+ notDistinctFrom?: Record;
+ contains?: Record;
+ containedBy?: Record;
+ containsKey?: string;
+ containsAllKeys?: string[];
+ containsAnyKeys?: string[];
+}
+
+export interface BigIntFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+export interface BigFloatFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+export interface BitStringFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+}
+
+export interface InternetAddressFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+ contains?: string;
+ containsOrEqualTo?: string;
+ containedBy?: string;
+ containedByOrEqualTo?: string;
+ containsOrContainedBy?: string;
+}
+
+export interface FullTextFilter {
+ matches?: string;
+}
+
+// ============================================================================
+// Entity Types
+// ============================================================================
+
+export interface User {
+ id: string;
+ email?: string | null;
+ name?: string | null;
+ age?: number | null;
+ isActive?: boolean | null;
+ createdAt?: string | null;
+ metadata?: Record | null;
+}
+
+// ============================================================================
+// Relation Helper Types
+// ============================================================================
+
+export interface ConnectionResult {
+ nodes: T[];
+ totalCount: number;
+ pageInfo: PageInfo;
+}
+
+export interface PageInfo {
+ hasNextPage: boolean;
+ hasPreviousPage: boolean;
+ startCursor?: string | null;
+ endCursor?: string | null;
+}
+
+// ============================================================================
+// Entity Relation Types
+// ============================================================================
+
+export interface UserRelations {
+}
+
+// ============================================================================
+// Entity Types With Relations
+// ============================================================================
+
+export type UserWithRelations = User & UserRelations;
+
+// ============================================================================
+// Entity Select Types
+// ============================================================================
+
+export type UserSelect = {
+ id?: boolean;
+ email?: boolean;
+ name?: boolean;
+ age?: boolean;
+ isActive?: boolean;
+ createdAt?: boolean;
+ metadata?: boolean;
+ };
+
+// ============================================================================
+// Table Filter Types
+// ============================================================================
+
+export interface UserFilter {
+ id?: UUIDFilter;
+ email?: StringFilter;
+ name?: StringFilter;
+ age?: IntFilter;
+ isActive?: BooleanFilter;
+ createdAt?: DatetimeFilter;
+ metadata?: JSONFilter;
+ and?: UserFilter[];
+ or?: UserFilter[];
+ not?: UserFilter;
+}
+
+// ============================================================================
+// OrderBy Types
+// ============================================================================
+
+export type UsersOrderBy = 'PRIMARY_KEY_ASC' | 'PRIMARY_KEY_DESC' | 'NATURAL' | 'ID_ASC' | 'ID_DESC' | 'EMAIL_ASC' | 'EMAIL_DESC' | 'NAME_ASC' | 'NAME_DESC' | 'AGE_ASC' | 'AGE_DESC' | 'IS_ACTIVE_ASC' | 'IS_ACTIVE_DESC' | 'CREATED_AT_ASC' | 'CREATED_AT_DESC' | 'METADATA_ASC' | 'METADATA_DESC';
+
+// ============================================================================
+// CRUD Input Types
+// ============================================================================
+
+export interface CreateUserInput {
+ clientMutationId?: string;
+ user: {
+ email?: string;
+ name?: string;
+ age?: number;
+ isActive?: boolean;
+ metadata?: Record;
+ };
+}
+
+export interface UserPatch {
+ email?: string | null;
+ name?: string | null;
+ age?: number | null;
+ isActive?: boolean | null;
+ metadata?: Record | null;
+}
+
+export interface UpdateUserInput {
+ clientMutationId?: string;
+ id: string;
+ patch: UserPatch;
+}
+
+export interface DeleteUserInput {
+ clientMutationId?: string;
+ id: string;
+}
+
+// ============================================================================
+// Custom Input Types (from schema)
+// ============================================================================
+
+export interface LoginInput {
+ email: string;
+ password: string;
+ rememberMe?: boolean;
+}
+
+// ============================================================================
+// Payload/Return Types (for custom operations)
+// ============================================================================
+
+export interface LoginPayload {
+ token?: string | null;
+ user?: User | null;
+ expiresAt?: string | null;
+}
+
+export type LoginPayloadSelect = {
+ token?: boolean;
+ user?: boolean;
+ expiresAt?: boolean;
+ };
+"
+`;
+
+exports[`generateInputTypesFile generates types with hasOne relations 1`] = `
+"/**
+* GraphQL types for ORM client
+* @generated by @constructive-io/graphql-codegen
+* DO NOT EDIT - changes will be overwritten
+*/
+
+// ============================================================================
+// Scalar Filter Types
+// ============================================================================
+
+export interface StringFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+ includes?: string;
+ notIncludes?: string;
+ includesInsensitive?: string;
+ notIncludesInsensitive?: string;
+ startsWith?: string;
+ notStartsWith?: string;
+ startsWithInsensitive?: string;
+ notStartsWithInsensitive?: string;
+ endsWith?: string;
+ notEndsWith?: string;
+ endsWithInsensitive?: string;
+ notEndsWithInsensitive?: string;
+ like?: string;
+ notLike?: string;
+ likeInsensitive?: string;
+ notLikeInsensitive?: string;
+}
+
+export interface IntFilter {
+ isNull?: boolean;
+ equalTo?: number;
+ notEqualTo?: number;
+ distinctFrom?: number;
+ notDistinctFrom?: number;
+ in?: number[];
+ notIn?: number[];
+ lessThan?: number;
+ lessThanOrEqualTo?: number;
+ greaterThan?: number;
+ greaterThanOrEqualTo?: number;
+}
+
+export interface FloatFilter {
+ isNull?: boolean;
+ equalTo?: number;
+ notEqualTo?: number;
+ distinctFrom?: number;
+ notDistinctFrom?: number;
+ in?: number[];
+ notIn?: number[];
+ lessThan?: number;
+ lessThanOrEqualTo?: number;
+ greaterThan?: number;
+ greaterThanOrEqualTo?: number;
+}
+
+export interface BooleanFilter {
+ isNull?: boolean;
+ equalTo?: boolean;
+ notEqualTo?: boolean;
+}
+
+export interface UUIDFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+}
+
+export interface DatetimeFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+export interface DateFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+export interface JSONFilter {
+ isNull?: boolean;
+ equalTo?: Record;
+ notEqualTo?: Record;
+ distinctFrom?: Record;
+ notDistinctFrom?: Record;
+ contains?: Record;
+ containedBy?: Record;
+ containsKey?: string;
+ containsAllKeys?: string[];
+ containsAnyKeys?: string[];
+}
+
+export interface BigIntFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+export interface BigFloatFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+export interface BitStringFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+}
+
+export interface InternetAddressFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+ contains?: string;
+ containsOrEqualTo?: string;
+ containedBy?: string;
+ containedByOrEqualTo?: string;
+ containsOrContainedBy?: string;
+}
+
+export interface FullTextFilter {
+ matches?: string;
+}
+
+// ============================================================================
+// Entity Types
+// ============================================================================
+
+export interface User {
+ id: string;
+ email?: string | null;
+ name?: string | null;
+ age?: number | null;
+ isActive?: boolean | null;
+ createdAt?: string | null;
+ metadata?: Record | null;
+}
+
+export interface Profile {
+ id: string;
+ bio?: string | null;
+ userId?: string | null;
+ avatarUrl?: string | null;
+}
+
+// ============================================================================
+// Relation Helper Types
+// ============================================================================
+
+export interface ConnectionResult {
+ nodes: T[];
+ totalCount: number;
+ pageInfo: PageInfo;
+}
+
+export interface PageInfo {
+ hasNextPage: boolean;
+ hasPreviousPage: boolean;
+ startCursor?: string | null;
+ endCursor?: string | null;
+}
+
+// ============================================================================
+// Entity Relation Types
+// ============================================================================
+
+export interface UserRelations {
+ profile?: Profile | null;
+ posts?: ConnectionResult;
+}
+
+export interface ProfileRelations {
+ user?: User | null;
+}
+
+// ============================================================================
+// Entity Types With Relations
+// ============================================================================
+
+export type UserWithRelations = User & UserRelations;
+
+export type ProfileWithRelations = Profile & ProfileRelations;
+
+// ============================================================================
+// Entity Select Types
+// ============================================================================
+
+export type UserSelect = {
+ id?: boolean;
+ email?: boolean;
+ name?: boolean;
+ age?: boolean;
+ isActive?: boolean;
+ createdAt?: boolean;
+ metadata?: boolean;
+ posts?: boolean | {
+ select?: PostSelect;
+ first?: number;
+ filter?: PostFilter;
+ orderBy?: PostsOrderBy[];
+ };
+ profile?: boolean | { select?: ProfileSelect };
+ };
+
+export type ProfileSelect = {
+ id?: boolean;
+ bio?: boolean;
+ userId?: boolean;
+ avatarUrl?: boolean;
+ user?: boolean | { select?: UserSelect };
+ };
+
+// ============================================================================
+// Table Filter Types
+// ============================================================================
+
+export interface UserFilter {
+ id?: UUIDFilter;
+ email?: StringFilter;
+ name?: StringFilter;
+ age?: IntFilter;
+ isActive?: BooleanFilter;
+ createdAt?: DatetimeFilter;
+ metadata?: JSONFilter;
+ and?: UserFilter[];
+ or?: UserFilter[];
+ not?: UserFilter;
+}
+
+export interface ProfileFilter {
+ id?: UUIDFilter;
+ bio?: StringFilter;
+ userId?: UUIDFilter;
+ avatarUrl?: StringFilter;
+ and?: ProfileFilter[];
+ or?: ProfileFilter[];
+ not?: ProfileFilter;
+}
+
+// ============================================================================
+// OrderBy Types
+// ============================================================================
+
+export type UsersOrderBy = 'PRIMARY_KEY_ASC' | 'PRIMARY_KEY_DESC' | 'NATURAL' | 'ID_ASC' | 'ID_DESC' | 'EMAIL_ASC' | 'EMAIL_DESC' | 'NAME_ASC' | 'NAME_DESC' | 'AGE_ASC' | 'AGE_DESC' | 'IS_ACTIVE_ASC' | 'IS_ACTIVE_DESC' | 'CREATED_AT_ASC' | 'CREATED_AT_DESC' | 'METADATA_ASC' | 'METADATA_DESC';
+
+export type ProfilesOrderBy = 'PRIMARY_KEY_ASC' | 'PRIMARY_KEY_DESC' | 'NATURAL' | 'ID_ASC' | 'ID_DESC' | 'BIO_ASC' | 'BIO_DESC' | 'USER_ID_ASC' | 'USER_ID_DESC' | 'AVATAR_URL_ASC' | 'AVATAR_URL_DESC';
+
+// ============================================================================
+// CRUD Input Types
+// ============================================================================
+
+export interface CreateUserInput {
+ clientMutationId?: string;
+ user: {
+ email?: string;
+ name?: string;
+ age?: number;
+ isActive?: boolean;
+ metadata?: Record;
+ };
+}
+
+export interface UserPatch {
+ email?: string | null;
+ name?: string | null;
+ age?: number | null;
+ isActive?: boolean | null;
+ metadata?: Record | null;
+}
+
+export interface UpdateUserInput {
+ clientMutationId?: string;
+ id: string;
+ patch: UserPatch;
+}
+
+export interface DeleteUserInput {
+ clientMutationId?: string;
+ id: string;
+}
+
+export interface CreateProfileInput {
+ clientMutationId?: string;
+ profile: {
+ bio?: string;
+ userId: string;
+ avatarUrl?: string;
+ };
+}
+
+export interface ProfilePatch {
+ bio?: string | null;
+ userId?: string | null;
+ avatarUrl?: string | null;
+}
+
+export interface UpdateProfileInput {
+ clientMutationId?: string;
+ id: string;
+ patch: ProfilePatch;
+}
+
+export interface DeleteProfileInput {
+ clientMutationId?: string;
+ id: string;
+}
+
+// ============================================================================
+// Custom Input Types (from schema)
+// ============================================================================
+"
+`;
+
+exports[`generateInputTypesFile generates types with manyToMany relations 1`] = `
+"/**
+* GraphQL types for ORM client
+* @generated by @constructive-io/graphql-codegen
+* DO NOT EDIT - changes will be overwritten
+*/
+
+// ============================================================================
+// Scalar Filter Types
+// ============================================================================
+
+export interface StringFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+ includes?: string;
+ notIncludes?: string;
+ includesInsensitive?: string;
+ notIncludesInsensitive?: string;
+ startsWith?: string;
+ notStartsWith?: string;
+ startsWithInsensitive?: string;
+ notStartsWithInsensitive?: string;
+ endsWith?: string;
+ notEndsWith?: string;
+ endsWithInsensitive?: string;
+ notEndsWithInsensitive?: string;
+ like?: string;
+ notLike?: string;
+ likeInsensitive?: string;
+ notLikeInsensitive?: string;
+}
+
+export interface IntFilter {
+ isNull?: boolean;
+ equalTo?: number;
+ notEqualTo?: number;
+ distinctFrom?: number;
+ notDistinctFrom?: number;
+ in?: number[];
+ notIn?: number[];
+ lessThan?: number;
+ lessThanOrEqualTo?: number;
+ greaterThan?: number;
+ greaterThanOrEqualTo?: number;
+}
+
+export interface FloatFilter {
+ isNull?: boolean;
+ equalTo?: number;
+ notEqualTo?: number;
+ distinctFrom?: number;
+ notDistinctFrom?: number;
+ in?: number[];
+ notIn?: number[];
+ lessThan?: number;
+ lessThanOrEqualTo?: number;
+ greaterThan?: number;
+ greaterThanOrEqualTo?: number;
+}
+
+export interface BooleanFilter {
+ isNull?: boolean;
+ equalTo?: boolean;
+ notEqualTo?: boolean;
+}
+
+export interface UUIDFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+}
+
+export interface DatetimeFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+export interface DateFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+export interface JSONFilter {
+ isNull?: boolean;
+ equalTo?: Record;
+ notEqualTo?: Record;
+ distinctFrom?: Record;
+ notDistinctFrom?: Record;
+ contains?: Record;
+ containedBy?: Record;
+ containsKey?: string;
+ containsAllKeys?: string[];
+ containsAnyKeys?: string[];
+}
+
+export interface BigIntFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+export interface BigFloatFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+export interface BitStringFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+}
+
+export interface InternetAddressFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+ contains?: string;
+ containsOrEqualTo?: string;
+ containedBy?: string;
+ containedByOrEqualTo?: string;
+ containsOrContainedBy?: string;
+}
+
+export interface FullTextFilter {
+ matches?: string;
+}
+
+// ============================================================================
+// Entity Types
+// ============================================================================
+
+export interface Post {
+ id: string;
+ title?: string | null;
+ content?: string | null;
+ authorId?: string | null;
+ publishedAt?: string | null;
+ tags?: string | null;
+}
+
+export interface Category {
+ id: string;
+ name?: string | null;
+ slug?: string | null;
+}
+
+// ============================================================================
+// Relation Helper Types
+// ============================================================================
+
+export interface ConnectionResult {
+ nodes: T[];
+ totalCount: number;
+ pageInfo: PageInfo;
+}
+
+export interface PageInfo {
+ hasNextPage: boolean;
+ hasPreviousPage: boolean;
+ startCursor?: string | null;
+ endCursor?: string | null;
+}
+
+// ============================================================================
+// Entity Relation Types
+// ============================================================================
+
+export interface PostRelations {
+ author?: User | null;
+ comments?: ConnectionResult;
+}
+
+export interface CategoryRelations {
+ posts?: ConnectionResult;
+}
+
+// ============================================================================
+// Entity Types With Relations
+// ============================================================================
+
+export type PostWithRelations = Post & PostRelations;
+
+export type CategoryWithRelations = Category & CategoryRelations;
+
+// ============================================================================
+// Entity Select Types
+// ============================================================================
+
+export type PostSelect = {
+ id?: boolean;
+ title?: boolean;
+ content?: boolean;
+ authorId?: boolean;
+ publishedAt?: boolean;
+ tags?: boolean;
+ author?: boolean | { select?: UserSelect };
+ comments?: boolean | {
+ select?: CommentSelect;
+ first?: number;
+ filter?: CommentFilter;
+ orderBy?: CommentsOrderBy[];
+ };
+ };
+
+export type CategorySelect = {
+ id?: boolean;
+ name?: boolean;
+ slug?: boolean;
+ posts?: boolean | {
+ select?: PostSelect;
+ first?: number;
+ filter?: PostFilter;
+ orderBy?: PostsOrderBy[];
+ };
+ };
+
+// ============================================================================
+// Table Filter Types
+// ============================================================================
+
+export interface PostFilter {
+ id?: UUIDFilter;
+ title?: StringFilter;
+ content?: StringFilter;
+ authorId?: UUIDFilter;
+ publishedAt?: DatetimeFilter;
+ tags?: StringFilter;
+ and?: PostFilter[];
+ or?: PostFilter[];
+ not?: PostFilter;
+}
+
+export interface CategoryFilter {
+ id?: UUIDFilter;
+ name?: StringFilter;
+ slug?: StringFilter;
+ and?: CategoryFilter[];
+ or?: CategoryFilter[];
+ not?: CategoryFilter;
+}
+
+// ============================================================================
+// OrderBy Types
+// ============================================================================
+
+export type PostsOrderBy = 'PRIMARY_KEY_ASC' | 'PRIMARY_KEY_DESC' | 'NATURAL' | 'ID_ASC' | 'ID_DESC' | 'TITLE_ASC' | 'TITLE_DESC' | 'CONTENT_ASC' | 'CONTENT_DESC' | 'AUTHOR_ID_ASC' | 'AUTHOR_ID_DESC' | 'PUBLISHED_AT_ASC' | 'PUBLISHED_AT_DESC' | 'TAGS_ASC' | 'TAGS_DESC';
+
+export type CategorysOrderBy = 'PRIMARY_KEY_ASC' | 'PRIMARY_KEY_DESC' | 'NATURAL' | 'ID_ASC' | 'ID_DESC' | 'NAME_ASC' | 'NAME_DESC' | 'SLUG_ASC' | 'SLUG_DESC';
+
+// ============================================================================
+// CRUD Input Types
+// ============================================================================
+
+export interface CreatePostInput {
+ clientMutationId?: string;
+ post: {
+ title?: string;
+ content?: string;
+ authorId: string;
+ publishedAt?: string;
+ tags?: string;
+ };
+}
+
+export interface PostPatch {
+ title?: string | null;
+ content?: string | null;
+ authorId?: string | null;
+ publishedAt?: string | null;
+ tags?: string | null;
+}
+
+export interface UpdatePostInput {
+ clientMutationId?: string;
+ id: string;
+ patch: PostPatch;
+}
+
+export interface DeletePostInput {
+ clientMutationId?: string;
+ id: string;
+}
+
+export interface CreateCategoryInput {
+ clientMutationId?: string;
+ category: {
+ name?: string;
+ slug?: string;
+ };
+}
+
+export interface CategoryPatch {
+ name?: string | null;
+ slug?: string | null;
+}
+
+export interface UpdateCategoryInput {
+ clientMutationId?: string;
+ id: string;
+ patch: CategoryPatch;
+}
+
+export interface DeleteCategoryInput {
+ clientMutationId?: string;
+ id: string;
+}
+
+// ============================================================================
+// Custom Input Types (from schema)
+// ============================================================================
+"
+`;
+
+exports[`generateInputTypesFile handles empty tables array 1`] = `
+"/**
+* GraphQL types for ORM client
+* @generated by @constructive-io/graphql-codegen
+* DO NOT EDIT - changes will be overwritten
+*/
+
+// ============================================================================
+// Scalar Filter Types
+// ============================================================================
+
+export interface StringFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+ includes?: string;
+ notIncludes?: string;
+ includesInsensitive?: string;
+ notIncludesInsensitive?: string;
+ startsWith?: string;
+ notStartsWith?: string;
+ startsWithInsensitive?: string;
+ notStartsWithInsensitive?: string;
+ endsWith?: string;
+ notEndsWith?: string;
+ endsWithInsensitive?: string;
+ notEndsWithInsensitive?: string;
+ like?: string;
+ notLike?: string;
+ likeInsensitive?: string;
+ notLikeInsensitive?: string;
+}
+
+export interface IntFilter {
+ isNull?: boolean;
+ equalTo?: number;
+ notEqualTo?: number;
+ distinctFrom?: number;
+ notDistinctFrom?: number;
+ in?: number[];
+ notIn?: number[];
+ lessThan?: number;
+ lessThanOrEqualTo?: number;
+ greaterThan?: number;
+ greaterThanOrEqualTo?: number;
+}
+
+export interface FloatFilter {
+ isNull?: boolean;
+ equalTo?: number;
+ notEqualTo?: number;
+ distinctFrom?: number;
+ notDistinctFrom?: number;
+ in?: number[];
+ notIn?: number[];
+ lessThan?: number;
+ lessThanOrEqualTo?: number;
+ greaterThan?: number;
+ greaterThanOrEqualTo?: number;
+}
+
+export interface BooleanFilter {
+ isNull?: boolean;
+ equalTo?: boolean;
+ notEqualTo?: boolean;
+}
+
+export interface UUIDFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+}
+
+export interface DatetimeFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+export interface DateFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+export interface JSONFilter {
+ isNull?: boolean;
+ equalTo?: Record;
+ notEqualTo?: Record;
+ distinctFrom?: Record;
+ notDistinctFrom?: Record;
+ contains?: Record;
+ containedBy?: Record;
+ containsKey?: string;
+ containsAllKeys?: string[];
+ containsAnyKeys?: string[];
+}
+
+export interface BigIntFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+export interface BigFloatFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+export interface BitStringFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+}
+
+export interface InternetAddressFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+ contains?: string;
+ containsOrEqualTo?: string;
+ containedBy?: string;
+ containedByOrEqualTo?: string;
+ containsOrContainedBy?: string;
+}
+
+export interface FullTextFilter {
+ matches?: string;
+}
+
+// ============================================================================
+// Custom Input Types (from schema)
+// ============================================================================
+"
+`;
diff --git a/graphql/codegen/src/__tests__/codegen/input-types-generator.test.ts b/graphql/codegen/src/__tests__/codegen/input-types-generator.test.ts
new file mode 100644
index 000000000..520ea4ef3
--- /dev/null
+++ b/graphql/codegen/src/__tests__/codegen/input-types-generator.test.ts
@@ -0,0 +1,742 @@
+/**
+ * Comprehensive tests for input-types-generator.ts
+ *
+ * Uses snapshot testing to validate generated TypeScript output.
+ * These snapshots capture the current string-based output and will be
+ * used to validate the AST-based migration produces equivalent results.
+ */
+// Jest globals - no import needed
+import { generateInputTypesFile, collectInputTypeNames, collectPayloadTypeNames } from '../../cli/codegen/orm/input-types-generator';
+import type {
+ CleanTable,
+ CleanFieldType,
+ CleanRelations,
+ TypeRegistry,
+ ResolvedType,
+ CleanArgument,
+ CleanTypeRef,
+} from '../../types/schema';
+
+// ============================================================================
+// Test Fixtures - Field Types
+// ============================================================================
+
+const fieldTypes = {
+ uuid: { gqlType: 'UUID', isArray: false } as CleanFieldType,
+ string: { gqlType: 'String', isArray: false } as CleanFieldType,
+ int: { gqlType: 'Int', isArray: false } as CleanFieldType,
+ float: { gqlType: 'Float', isArray: false } as CleanFieldType,
+ boolean: { gqlType: 'Boolean', isArray: false } as CleanFieldType,
+ datetime: { gqlType: 'Datetime', isArray: false } as CleanFieldType,
+ date: { gqlType: 'Date', isArray: false } as CleanFieldType,
+ json: { gqlType: 'JSON', isArray: false } as CleanFieldType,
+ bigint: { gqlType: 'BigInt', isArray: false } as CleanFieldType,
+ stringArray: { gqlType: 'String', isArray: true } as CleanFieldType,
+ intArray: { gqlType: 'Int', isArray: true } as CleanFieldType,
+};
+
+// ============================================================================
+// Test Fixtures - Helper Functions
+// ============================================================================
+
+const emptyRelations: CleanRelations = {
+ belongsTo: [],
+ hasOne: [],
+ hasMany: [],
+ manyToMany: [],
+};
+
+function createTable(partial: Partial & { name: string }): CleanTable {
+ return {
+ name: partial.name,
+ fields: partial.fields ?? [],
+ relations: partial.relations ?? emptyRelations,
+ query: partial.query,
+ inflection: partial.inflection,
+ constraints: partial.constraints,
+ };
+}
+
+function createTypeRegistry(types: Record): TypeRegistry {
+ return new Map(Object.entries(types));
+}
+
+function createTypeRef(kind: CleanTypeRef['kind'], name: string | null, ofType?: CleanTypeRef): CleanTypeRef {
+ return { kind, name, ofType };
+}
+
+function createNonNull(inner: CleanTypeRef): CleanTypeRef {
+ return { kind: 'NON_NULL', name: null, ofType: inner };
+}
+
+function createList(inner: CleanTypeRef): CleanTypeRef {
+ return { kind: 'LIST', name: null, ofType: inner };
+}
+
+// ============================================================================
+// Test Fixtures - Sample Tables
+// ============================================================================
+
+/**
+ * Simple User table with basic scalar fields
+ */
+const userTable = createTable({
+ name: 'User',
+ fields: [
+ { name: 'id', type: fieldTypes.uuid },
+ { name: 'email', type: fieldTypes.string },
+ { name: 'name', type: fieldTypes.string },
+ { name: 'age', type: fieldTypes.int },
+ { name: 'isActive', type: fieldTypes.boolean },
+ { name: 'createdAt', type: fieldTypes.datetime },
+ { name: 'metadata', type: fieldTypes.json },
+ ],
+ query: {
+ all: 'users',
+ one: 'user',
+ create: 'createUser',
+ update: 'updateUser',
+ delete: 'deleteUser',
+ },
+});
+
+/**
+ * Post table with belongsTo relation to User
+ */
+const postTable = createTable({
+ name: 'Post',
+ fields: [
+ { name: 'id', type: fieldTypes.uuid },
+ { name: 'title', type: fieldTypes.string },
+ { name: 'content', type: fieldTypes.string },
+ { name: 'authorId', type: fieldTypes.uuid },
+ { name: 'publishedAt', type: fieldTypes.datetime },
+ { name: 'tags', type: fieldTypes.stringArray },
+ ],
+ relations: {
+ belongsTo: [
+ {
+ fieldName: 'author',
+ isUnique: false,
+ referencesTable: 'User',
+ type: null,
+ keys: [{ name: 'authorId', type: fieldTypes.uuid }],
+ },
+ ],
+ hasOne: [],
+ hasMany: [
+ {
+ fieldName: 'comments',
+ isUnique: false,
+ referencedByTable: 'Comment',
+ type: null,
+ keys: [],
+ },
+ ],
+ manyToMany: [],
+ },
+ query: {
+ all: 'posts',
+ one: 'post',
+ create: 'createPost',
+ update: 'updatePost',
+ delete: 'deletePost',
+ },
+});
+
+/**
+ * Comment table with relations
+ */
+const commentTable = createTable({
+ name: 'Comment',
+ fields: [
+ { name: 'id', type: fieldTypes.uuid },
+ { name: 'body', type: fieldTypes.string },
+ { name: 'postId', type: fieldTypes.uuid },
+ { name: 'authorId', type: fieldTypes.uuid },
+ { name: 'createdAt', type: fieldTypes.datetime },
+ ],
+ relations: {
+ belongsTo: [
+ {
+ fieldName: 'post',
+ isUnique: false,
+ referencesTable: 'Post',
+ type: null,
+ keys: [],
+ },
+ {
+ fieldName: 'author',
+ isUnique: false,
+ referencesTable: 'User',
+ type: null,
+ keys: [],
+ },
+ ],
+ hasOne: [],
+ hasMany: [],
+ manyToMany: [],
+ },
+ query: {
+ all: 'comments',
+ one: 'comment',
+ create: 'createComment',
+ update: 'updateComment',
+ delete: 'deleteComment',
+ },
+});
+
+/**
+ * User table with hasMany to posts (update to include relation)
+ */
+const userTableWithRelations = createTable({
+ ...userTable,
+ relations: {
+ belongsTo: [],
+ hasOne: [],
+ hasMany: [
+ {
+ fieldName: 'posts',
+ isUnique: false,
+ referencedByTable: 'Post',
+ type: null,
+ keys: [],
+ },
+ {
+ fieldName: 'comments',
+ isUnique: false,
+ referencedByTable: 'Comment',
+ type: null,
+ keys: [],
+ },
+ ],
+ manyToMany: [],
+ },
+});
+
+/**
+ * Category table with manyToMany relation
+ */
+const categoryTable = createTable({
+ name: 'Category',
+ fields: [
+ { name: 'id', type: fieldTypes.uuid },
+ { name: 'name', type: fieldTypes.string },
+ { name: 'slug', type: fieldTypes.string },
+ ],
+ relations: {
+ belongsTo: [],
+ hasOne: [],
+ hasMany: [],
+ manyToMany: [
+ {
+ fieldName: 'posts',
+ rightTable: 'Post',
+ junctionTable: 'PostCategory',
+ type: null,
+ },
+ ],
+ },
+ query: {
+ all: 'categories',
+ one: 'category',
+ create: 'createCategory',
+ update: 'updateCategory',
+ delete: 'deleteCategory',
+ },
+});
+
+/**
+ * Profile table with hasOne relation
+ */
+const profileTable = createTable({
+ name: 'Profile',
+ fields: [
+ { name: 'id', type: fieldTypes.uuid },
+ { name: 'bio', type: fieldTypes.string },
+ { name: 'userId', type: fieldTypes.uuid },
+ { name: 'avatarUrl', type: fieldTypes.string },
+ ],
+ relations: {
+ belongsTo: [
+ {
+ fieldName: 'user',
+ isUnique: true,
+ referencesTable: 'User',
+ type: null,
+ keys: [],
+ },
+ ],
+ hasOne: [],
+ hasMany: [],
+ manyToMany: [],
+ },
+ query: {
+ all: 'profiles',
+ one: 'profile',
+ create: 'createProfile',
+ update: 'updateProfile',
+ delete: 'deleteProfile',
+ },
+});
+
+// User with hasOne to profile
+const userTableWithProfile = createTable({
+ ...userTable,
+ relations: {
+ belongsTo: [],
+ hasOne: [
+ {
+ fieldName: 'profile',
+ isUnique: true,
+ referencedByTable: 'Profile',
+ type: null,
+ keys: [],
+ },
+ ],
+ hasMany: [
+ {
+ fieldName: 'posts',
+ isUnique: false,
+ referencedByTable: 'Post',
+ type: null,
+ keys: [],
+ },
+ ],
+ manyToMany: [],
+ },
+});
+
+// ============================================================================
+// Test Fixtures - Sample TypeRegistry (for custom operations)
+// ============================================================================
+
+const sampleTypeRegistry = createTypeRegistry({
+ LoginInput: {
+ kind: 'INPUT_OBJECT',
+ name: 'LoginInput',
+ inputFields: [
+ { name: 'email', type: createNonNull(createTypeRef('SCALAR', 'String')) },
+ { name: 'password', type: createNonNull(createTypeRef('SCALAR', 'String')) },
+ { name: 'rememberMe', type: createTypeRef('SCALAR', 'Boolean') },
+ ],
+ },
+ RegisterInput: {
+ kind: 'INPUT_OBJECT',
+ name: 'RegisterInput',
+ inputFields: [
+ { name: 'email', type: createNonNull(createTypeRef('SCALAR', 'String')) },
+ { name: 'password', type: createNonNull(createTypeRef('SCALAR', 'String')) },
+ { name: 'name', type: createTypeRef('SCALAR', 'String') },
+ ],
+ },
+ UserRole: {
+ kind: 'ENUM',
+ name: 'UserRole',
+ enumValues: ['ADMIN', 'USER', 'GUEST'],
+ },
+ LoginPayload: {
+ kind: 'OBJECT',
+ name: 'LoginPayload',
+ fields: [
+ { name: 'token', type: createTypeRef('SCALAR', 'String') },
+ { name: 'user', type: createTypeRef('OBJECT', 'User') },
+ { name: 'expiresAt', type: createTypeRef('SCALAR', 'Datetime') },
+ ],
+ },
+});
+
+// ============================================================================
+// Tests - Full File Generation
+// ============================================================================
+
+describe('generateInputTypesFile', () => {
+ it('generates complete types file for single table', () => {
+ const result = generateInputTypesFile(new Map(), new Set(), [userTable]);
+ expect(result.content).toMatchSnapshot();
+ });
+
+ it('generates complete types file for multiple tables with relations', () => {
+ const tables = [userTableWithRelations, postTable, commentTable];
+ const result = generateInputTypesFile(new Map(), new Set(), tables);
+ expect(result.content).toMatchSnapshot();
+ });
+
+ it('generates types with hasOne relations', () => {
+ const tables = [userTableWithProfile, profileTable];
+ const result = generateInputTypesFile(new Map(), new Set(), tables);
+ expect(result.content).toMatchSnapshot();
+ });
+
+ it('generates types with manyToMany relations', () => {
+ const tables = [postTable, categoryTable];
+ const result = generateInputTypesFile(new Map(), new Set(), tables);
+ expect(result.content).toMatchSnapshot();
+ });
+
+ it('generates custom input types from TypeRegistry', () => {
+ const usedInputTypes = new Set(['LoginInput', 'RegisterInput', 'UserRole']);
+ const result = generateInputTypesFile(sampleTypeRegistry, usedInputTypes, [userTable]);
+ expect(result.content).toMatchSnapshot();
+ });
+
+ it('generates payload types for custom operations', () => {
+ const usedInputTypes = new Set(['LoginInput']);
+ const usedPayloadTypes = new Set(['LoginPayload']);
+ const result = generateInputTypesFile(sampleTypeRegistry, usedInputTypes, [userTable], usedPayloadTypes);
+ expect(result.content).toMatchSnapshot();
+ });
+
+ it('handles empty tables array', () => {
+ const result = generateInputTypesFile(new Map(), new Set());
+ expect(result.content).toMatchSnapshot();
+ });
+});
+
+// ============================================================================
+// Tests - Scalar Filter Types
+// ============================================================================
+
+describe('scalar filter types', () => {
+ it('includes all standard scalar filter interfaces', () => {
+ const result = generateInputTypesFile(new Map(), new Set(), [userTable]);
+
+ // String filters
+ expect(result.content).toContain('export interface StringFilter {');
+ expect(result.content).toContain('equalTo?: string;');
+ expect(result.content).toContain('includes?: string;');
+ expect(result.content).toContain('likeInsensitive?: string;');
+
+ // Int filters
+ expect(result.content).toContain('export interface IntFilter {');
+ expect(result.content).toContain('lessThan?: number;');
+ expect(result.content).toContain('greaterThanOrEqualTo?: number;');
+
+ // UUID filters
+ expect(result.content).toContain('export interface UUIDFilter {');
+
+ // Datetime filters
+ expect(result.content).toContain('export interface DatetimeFilter {');
+
+ // JSON filters
+ expect(result.content).toContain('export interface JSONFilter {');
+ expect(result.content).toContain('containsKey?: string;');
+ expect(result.content).toContain('containsAllKeys?: string[];');
+
+ // Boolean filters
+ expect(result.content).toContain('export interface BooleanFilter {');
+
+ // BigInt filters
+ expect(result.content).toContain('export interface BigIntFilter {');
+
+ // Float filters
+ expect(result.content).toContain('export interface FloatFilter {');
+ });
+});
+
+// ============================================================================
+// Tests - Entity Types
+// ============================================================================
+
+describe('entity types', () => {
+ it('generates entity interface with correct field types', () => {
+ const result = generateInputTypesFile(new Map(), new Set(), [userTable]);
+
+ expect(result.content).toContain('export interface User {');
+ expect(result.content).toContain('id: string;'); // UUID -> string
+ expect(result.content).toContain('email?: string | null;');
+ expect(result.content).toContain('age?: number | null;');
+ expect(result.content).toContain('isActive?: boolean | null;');
+ expect(result.content).toContain('metadata?: Record | null;');
+ });
+
+ it('generates entity relations interface', () => {
+ const result = generateInputTypesFile(new Map(), new Set(), [userTableWithRelations, postTable]);
+
+ expect(result.content).toContain('export interface UserRelations {');
+ expect(result.content).toContain('posts?: ConnectionResult;');
+ });
+
+ it('generates WithRelations type alias', () => {
+ const result = generateInputTypesFile(new Map(), new Set(), [userTableWithRelations]);
+
+ expect(result.content).toContain('export type UserWithRelations = User & UserRelations;');
+ });
+});
+
+// ============================================================================
+// Tests - Select Types
+// ============================================================================
+
+describe('entity select types', () => {
+ it('generates select type with scalar fields', () => {
+ const result = generateInputTypesFile(new Map(), new Set(), [userTable]);
+
+ expect(result.content).toContain('export type UserSelect = {');
+ expect(result.content).toContain('id?: boolean;');
+ expect(result.content).toContain('email?: boolean;');
+ expect(result.content).toContain('name?: boolean;');
+ });
+
+ it('generates select type with belongsTo relation options', () => {
+ const result = generateInputTypesFile(new Map(), new Set(), [postTable, userTable]);
+
+ expect(result.content).toContain('export type PostSelect = {');
+ expect(result.content).toContain('author?: boolean | { select?: UserSelect };');
+ });
+
+ it('generates select type with hasMany relation options', () => {
+ const result = generateInputTypesFile(new Map(), new Set(), [userTableWithRelations, postTable]);
+
+ expect(result.content).toContain('posts?: boolean | {');
+ expect(result.content).toContain('select?: PostSelect;');
+ expect(result.content).toContain('first?: number;');
+ expect(result.content).toContain('filter?: PostFilter;');
+ expect(result.content).toContain('orderBy?: PostsOrderBy[];');
+ });
+
+ it('generates select type with manyToMany relation options', () => {
+ const result = generateInputTypesFile(new Map(), new Set(), [categoryTable, postTable]);
+
+ expect(result.content).toContain('export type CategorySelect = {');
+ expect(result.content).toContain('posts?: boolean | {');
+ expect(result.content).toContain('select?: PostSelect;');
+ });
+});
+
+// ============================================================================
+// Tests - Table Filter Types
+// ============================================================================
+
+describe('table filter types', () => {
+ it('generates filter type for table', () => {
+ const result = generateInputTypesFile(new Map(), new Set(), [userTable]);
+
+ expect(result.content).toContain('export interface UserFilter {');
+ expect(result.content).toContain('id?: UUIDFilter;');
+ expect(result.content).toContain('email?: StringFilter;');
+ expect(result.content).toContain('age?: IntFilter;');
+ expect(result.content).toContain('isActive?: BooleanFilter;');
+ expect(result.content).toContain('createdAt?: DatetimeFilter;');
+ expect(result.content).toContain('metadata?: JSONFilter;');
+
+ // Logical operators
+ expect(result.content).toContain('and?: UserFilter[];');
+ expect(result.content).toContain('or?: UserFilter[];');
+ expect(result.content).toContain('not?: UserFilter;');
+ });
+});
+
+// ============================================================================
+// Tests - OrderBy Types
+// ============================================================================
+
+describe('orderBy types', () => {
+ it('generates orderBy type for table', () => {
+ const result = generateInputTypesFile(new Map(), new Set(), [userTable]);
+
+ expect(result.content).toContain('export type UsersOrderBy =');
+ expect(result.content).toContain("'PRIMARY_KEY_ASC'");
+ expect(result.content).toContain("'PRIMARY_KEY_DESC'");
+ expect(result.content).toContain("'NATURAL'");
+ expect(result.content).toContain("'ID_ASC'");
+ expect(result.content).toContain("'ID_DESC'");
+ expect(result.content).toContain("'EMAIL_ASC'");
+ expect(result.content).toContain("'NAME_DESC'");
+ });
+});
+
+// ============================================================================
+// Tests - CRUD Input Types
+// ============================================================================
+
+describe('CRUD input types', () => {
+ it('generates create input type', () => {
+ const result = generateInputTypesFile(new Map(), new Set(), [userTable]);
+
+ expect(result.content).toContain('export interface CreateUserInput {');
+ expect(result.content).toContain('clientMutationId?: string;');
+ expect(result.content).toContain('user: {');
+ expect(result.content).toContain('email?: string;');
+ expect(result.content).toContain('name?: string;');
+ // Should not include auto-generated fields
+ expect(result.content).not.toMatch(/user:\s*\{[^}]*\bid\b/);
+ });
+
+ it('generates update input type with patch', () => {
+ const result = generateInputTypesFile(new Map(), new Set(), [userTable]);
+
+ expect(result.content).toContain('export interface UserPatch {');
+ expect(result.content).toContain('email?: string | null;');
+ expect(result.content).toContain('name?: string | null;');
+
+ expect(result.content).toContain('export interface UpdateUserInput {');
+ expect(result.content).toContain('id: string;');
+ expect(result.content).toContain('patch: UserPatch;');
+ });
+
+ it('generates delete input type', () => {
+ const result = generateInputTypesFile(new Map(), new Set(), [userTable]);
+
+ expect(result.content).toContain('export interface DeleteUserInput {');
+ expect(result.content).toContain('clientMutationId?: string;');
+ expect(result.content).toContain('id: string;');
+ });
+});
+
+// ============================================================================
+// Tests - Custom Input Types (from TypeRegistry)
+// ============================================================================
+
+describe('custom input types', () => {
+ it('generates input types from TypeRegistry', () => {
+ const usedInputTypes = new Set(['LoginInput', 'RegisterInput']);
+ const result = generateInputTypesFile(sampleTypeRegistry, usedInputTypes, []);
+
+ expect(result.content).toContain('export interface LoginInput {');
+ expect(result.content).toContain('email: string;'); // Non-null
+ expect(result.content).toContain('password: string;'); // Non-null
+ expect(result.content).toContain('rememberMe?: boolean;'); // Optional
+ });
+
+ it('generates enum types from TypeRegistry', () => {
+ const usedInputTypes = new Set(['UserRole']);
+ const result = generateInputTypesFile(sampleTypeRegistry, usedInputTypes, []);
+
+ expect(result.content).toContain("export type UserRole = 'ADMIN' | 'USER' | 'GUEST';");
+ });
+});
+
+// ============================================================================
+// Tests - Payload/Return Types
+// ============================================================================
+
+describe('payload types', () => {
+ it('generates payload types for custom operations', () => {
+ const usedInputTypes = new Set();
+ const usedPayloadTypes = new Set(['LoginPayload']);
+ const result = generateInputTypesFile(sampleTypeRegistry, usedInputTypes, [], usedPayloadTypes);
+
+ expect(result.content).toContain('export interface LoginPayload {');
+ expect(result.content).toContain('token?: string | null;');
+ expect(result.content).toContain('expiresAt?: string | null;');
+ });
+
+ it('generates Select types for payload types', () => {
+ const usedInputTypes = new Set();
+ const usedPayloadTypes = new Set(['LoginPayload']);
+ const result = generateInputTypesFile(sampleTypeRegistry, usedInputTypes, [], usedPayloadTypes);
+
+ expect(result.content).toContain('export type LoginPayloadSelect = {');
+ expect(result.content).toContain('token?: boolean;');
+ expect(result.content).toContain('expiresAt?: boolean;');
+ });
+});
+
+// ============================================================================
+// Tests - Helper Functions
+// ============================================================================
+
+describe('collectInputTypeNames', () => {
+ it('collects Input type names from operations', () => {
+ const operations = [
+ {
+ args: [
+ { name: 'input', type: createNonNull(createTypeRef('INPUT_OBJECT', 'LoginInput')) },
+ ] as CleanArgument[],
+ },
+ {
+ args: [
+ { name: 'data', type: createTypeRef('INPUT_OBJECT', 'RegisterInput') },
+ ] as CleanArgument[],
+ },
+ ];
+
+ const result = collectInputTypeNames(operations);
+
+ expect(result.has('LoginInput')).toBe(true);
+ expect(result.has('RegisterInput')).toBe(true);
+ });
+
+ it('collects Filter type names', () => {
+ const operations = [
+ {
+ args: [
+ { name: 'filter', type: createTypeRef('INPUT_OBJECT', 'UserFilter') },
+ ] as CleanArgument[],
+ },
+ ];
+
+ const result = collectInputTypeNames(operations);
+
+ expect(result.has('UserFilter')).toBe(true);
+ });
+});
+
+describe('collectPayloadTypeNames', () => {
+ it('collects Payload type names from operations', () => {
+ const operations = [
+ { returnType: createTypeRef('OBJECT', 'LoginPayload') },
+ { returnType: createTypeRef('OBJECT', 'RegisterPayload') },
+ ];
+
+ const result = collectPayloadTypeNames(operations);
+
+ expect(result.has('LoginPayload')).toBe(true);
+ expect(result.has('RegisterPayload')).toBe(true);
+ });
+
+ it('excludes Connection types', () => {
+ const operations = [
+ { returnType: createTypeRef('OBJECT', 'UsersConnection') },
+ ];
+
+ const result = collectPayloadTypeNames(operations);
+
+ expect(result.has('UsersConnection')).toBe(false);
+ });
+});
+
+// ============================================================================
+// Tests - Edge Cases
+// ============================================================================
+
+describe('edge cases', () => {
+ it('handles table with no fields', () => {
+ const emptyTable = createTable({ name: 'Empty', fields: [] });
+ const result = generateInputTypesFile(new Map(), new Set(), [emptyTable]);
+
+ expect(result.content).toContain('export interface Empty {');
+ expect(result.content).toContain('export interface EmptyFilter {');
+ });
+
+ it('handles table with only id field', () => {
+ const minimalTable = createTable({
+ name: 'Minimal',
+ fields: [{ name: 'id', type: fieldTypes.uuid }],
+ });
+ const result = generateInputTypesFile(new Map(), new Set(), [minimalTable]);
+
+ expect(result.content).toContain('export interface Minimal {');
+ expect(result.content).toContain('id: string;');
+ });
+
+ it('handles circular relations gracefully', () => {
+ // User has posts, Post has author (User)
+ const tables = [userTableWithRelations, postTable];
+ const result = generateInputTypesFile(new Map(), new Set(), tables);
+
+ // Should not cause infinite loops or errors
+ expect(result.content).toContain('export type UserSelect = {');
+ expect(result.content).toContain('export type PostSelect = {');
+ });
+
+ it('handles unknown input type gracefully', () => {
+ const usedInputTypes = new Set(['UnknownType']);
+ const result = generateInputTypesFile(new Map(), usedInputTypes, []);
+
+ // Should generate a fallback type
+ expect(result.content).toContain("// Type 'UnknownType' not found in schema");
+ expect(result.content).toContain('export type UnknownType = Record;');
+ });
+});
diff --git a/graphql/codegen/src/cli/codegen/barrel.ts b/graphql/codegen/src/cli/codegen/barrel.ts
new file mode 100644
index 000000000..4067d34e7
--- /dev/null
+++ b/graphql/codegen/src/cli/codegen/barrel.ts
@@ -0,0 +1,198 @@
+/**
+ * Barrel file generators - creates index.ts files for exports
+ *
+ * Using simple string generation for barrel files since they're straightforward
+ * and ts-morph has issues with insertText + addStatements combination.
+ */
+import type { CleanTable } from '../../types/schema';
+import { createFileHeader } from './ts-ast';
+import {
+ getListQueryHookName,
+ getSingleQueryHookName,
+ getCreateMutationHookName,
+ getUpdateMutationHookName,
+ getDeleteMutationHookName,
+} from './utils';
+import { getOperationHookName } from './type-resolver';
+
+/**
+ * Generate the queries/index.ts barrel file
+ */
+export function generateQueriesBarrel(tables: CleanTable[]): string {
+ const lines: string[] = [
+ createFileHeader('Query hooks barrel export'),
+ '',
+ ];
+
+ // Export all query hooks
+ for (const table of tables) {
+ const listHookName = getListQueryHookName(table);
+ const singleHookName = getSingleQueryHookName(table);
+
+ lines.push(`export * from './${listHookName}';`);
+ lines.push(`export * from './${singleHookName}';`);
+ }
+
+ return lines.join('\n') + '\n';
+}
+
+/**
+ * Generate the mutations/index.ts barrel file
+ */
+export function generateMutationsBarrel(tables: CleanTable[]): string {
+ const lines: string[] = [
+ createFileHeader('Mutation hooks barrel export'),
+ '',
+ ];
+
+ // Export all mutation hooks
+ for (const table of tables) {
+ const createHookName = getCreateMutationHookName(table);
+ const updateHookName = getUpdateMutationHookName(table);
+ const deleteHookName = getDeleteMutationHookName(table);
+
+ lines.push(`export * from './${createHookName}';`);
+
+ // Only add update/delete if they exist
+ if (table.query?.update !== null) {
+ lines.push(`export * from './${updateHookName}';`);
+ }
+ if (table.query?.delete !== null) {
+ lines.push(`export * from './${deleteHookName}';`);
+ }
+ }
+
+ return lines.join('\n') + '\n';
+}
+
+/**
+ * Generate the main index.ts barrel file
+ */
+export function generateMainBarrel(tables: CleanTable[]): string {
+ const tableNames = tables.map((t) => t.name).join(', ');
+
+ return `/**
+ * Auto-generated GraphQL SDK
+ * @generated by @constructive-io/graphql-codegen
+ *
+ * Tables: ${tableNames}
+ *
+ * Usage:
+ *
+ * 1. Configure the client:
+ * \`\`\`ts
+ * import { configure } from './generated';
+ *
+ * configure({
+ * endpoint: 'https://api.example.com/graphql',
+ * headers: { Authorization: 'Bearer ' },
+ * });
+ * \`\`\`
+ *
+ * 2. Use the hooks:
+ * \`\`\`tsx
+ * import { useCarsQuery, useCreateCarMutation } from './generated';
+ *
+ * function MyComponent() {
+ * const { data, isLoading } = useCarsQuery({ first: 10 });
+ * const { mutate } = useCreateCarMutation();
+ * // ...
+ * }
+ * \`\`\`
+ */
+
+// Client configuration
+export * from './client';
+
+// Entity and filter types
+export * from './types';
+
+// Query hooks
+export * from './queries';
+
+// Mutation hooks
+export * from './mutations';
+`;
+}
+
+// ============================================================================
+// Custom operation barrels (includes both table and custom hooks)
+// ============================================================================
+
+/**
+ * Generate queries barrel including custom query operations
+ */
+export function generateCustomQueriesBarrel(
+ tables: CleanTable[],
+ customQueryNames: string[]
+): string {
+ const lines: string[] = [
+ createFileHeader('Query hooks barrel export'),
+ '',
+ '// Table-based query hooks',
+ ];
+
+ // Export all table query hooks
+ for (const table of tables) {
+ const listHookName = getListQueryHookName(table);
+ const singleHookName = getSingleQueryHookName(table);
+
+ lines.push(`export * from './${listHookName}';`);
+ lines.push(`export * from './${singleHookName}';`);
+ }
+
+ // Add custom query hooks
+ if (customQueryNames.length > 0) {
+ lines.push('');
+ lines.push('// Custom query hooks');
+ for (const name of customQueryNames) {
+ const hookName = getOperationHookName(name, 'query');
+ lines.push(`export * from './${hookName}';`);
+ }
+ }
+
+ return lines.join('\n') + '\n';
+}
+
+/**
+ * Generate mutations barrel including custom mutation operations
+ */
+export function generateCustomMutationsBarrel(
+ tables: CleanTable[],
+ customMutationNames: string[]
+): string {
+ const lines: string[] = [
+ createFileHeader('Mutation hooks barrel export'),
+ '',
+ '// Table-based mutation hooks',
+ ];
+
+ // Export all table mutation hooks
+ for (const table of tables) {
+ const createHookName = getCreateMutationHookName(table);
+ const updateHookName = getUpdateMutationHookName(table);
+ const deleteHookName = getDeleteMutationHookName(table);
+
+ lines.push(`export * from './${createHookName}';`);
+
+ // Only add update/delete if they exist
+ if (table.query?.update !== null) {
+ lines.push(`export * from './${updateHookName}';`);
+ }
+ if (table.query?.delete !== null) {
+ lines.push(`export * from './${deleteHookName}';`);
+ }
+ }
+
+ // Add custom mutation hooks
+ if (customMutationNames.length > 0) {
+ lines.push('');
+ lines.push('// Custom mutation hooks');
+ for (const name of customMutationNames) {
+ const hookName = getOperationHookName(name, 'mutation');
+ lines.push(`export * from './${hookName}';`);
+ }
+ }
+
+ return lines.join('\n') + '\n';
+}
diff --git a/graphql/codegen/src/cli/codegen/client.ts b/graphql/codegen/src/cli/codegen/client.ts
new file mode 100644
index 000000000..4bb19b723
--- /dev/null
+++ b/graphql/codegen/src/cli/codegen/client.ts
@@ -0,0 +1,168 @@
+/**
+ * Client generator - generates client.ts with configure() and execute()
+ */
+import { getGeneratedFileHeader } from './utils';
+
+/**
+ * Generate client.ts content
+ */
+export function generateClientFile(): string {
+ return `${getGeneratedFileHeader('GraphQL client configuration and execution')}
+
+// ============================================================================
+// Configuration
+// ============================================================================
+
+export interface GraphQLClientConfig {
+ /** GraphQL endpoint URL */
+ endpoint: string;
+ /** Default headers to include in all requests */
+ headers?: Record;
+}
+
+let globalConfig: GraphQLClientConfig | null = null;
+
+/**
+ * Configure the GraphQL client
+ *
+ * @example
+ * \`\`\`ts
+ * import { configure } from './generated';
+ *
+ * configure({
+ * endpoint: 'https://api.example.com/graphql',
+ * headers: {
+ * Authorization: 'Bearer ',
+ * },
+ * });
+ * \`\`\`
+ */
+export function configure(config: GraphQLClientConfig): void {
+ globalConfig = config;
+}
+
+/**
+ * Get the current configuration
+ * @throws Error if not configured
+ */
+export function getConfig(): GraphQLClientConfig {
+ if (!globalConfig) {
+ throw new Error(
+ 'GraphQL client not configured. Call configure() before making requests.'
+ );
+ }
+ return globalConfig;
+}
+
+// ============================================================================
+// Error handling
+// ============================================================================
+
+export interface GraphQLError {
+ message: string;
+ locations?: Array<{ line: number; column: number }>;
+ path?: Array;
+ extensions?: Record;
+}
+
+export class GraphQLClientError extends Error {
+ constructor(
+ message: string,
+ public errors: GraphQLError[],
+ public response?: Response
+ ) {
+ super(message);
+ this.name = 'GraphQLClientError';
+ }
+}
+
+// ============================================================================
+// Execution
+// ============================================================================
+
+export interface ExecuteOptions {
+ /** Override headers for this request */
+ headers?: Record;
+ /** AbortSignal for request cancellation */
+ signal?: AbortSignal;
+}
+
+/**
+ * Execute a GraphQL operation
+ *
+ * @example
+ * \`\`\`ts
+ * const result = await execute(
+ * carsQueryDocument,
+ * { first: 10 }
+ * );
+ * \`\`\`
+ */
+export async function execute>(
+ document: string,
+ variables?: TVariables,
+ options?: ExecuteOptions
+): Promise {
+ const config = getConfig();
+
+ const response = await fetch(config.endpoint, {
+ method: 'POST',
+ headers: {
+ 'Content-Type': 'application/json',
+ ...config.headers,
+ ...options?.headers,
+ },
+ body: JSON.stringify({
+ query: document,
+ variables,
+ }),
+ signal: options?.signal,
+ });
+
+ const json = await response.json();
+
+ if (json.errors && json.errors.length > 0) {
+ throw new GraphQLClientError(
+ json.errors[0].message || 'GraphQL request failed',
+ json.errors,
+ response
+ );
+ }
+
+ return json.data as TData;
+}
+
+/**
+ * Execute a GraphQL operation with full response (data + errors)
+ * Useful when you want to handle partial data with errors
+ */
+export async function executeWithErrors>(
+ document: string,
+ variables?: TVariables,
+ options?: ExecuteOptions
+): Promise<{ data: TData | null; errors: GraphQLError[] | null }> {
+ const config = getConfig();
+
+ const response = await fetch(config.endpoint, {
+ method: 'POST',
+ headers: {
+ 'Content-Type': 'application/json',
+ ...config.headers,
+ ...options?.headers,
+ },
+ body: JSON.stringify({
+ query: document,
+ variables,
+ }),
+ signal: options?.signal,
+ });
+
+ const json = await response.json();
+
+ return {
+ data: json.data ?? null,
+ errors: json.errors ?? null,
+ };
+}
+`;
+}
diff --git a/graphql/codegen/src/cli/codegen/custom-mutations.ts b/graphql/codegen/src/cli/codegen/custom-mutations.ts
new file mode 100644
index 000000000..73c3bd868
--- /dev/null
+++ b/graphql/codegen/src/cli/codegen/custom-mutations.ts
@@ -0,0 +1,252 @@
+/**
+ * Custom mutation hook generators for non-table operations
+ *
+ * Generates hooks for operations discovered via schema introspection
+ * that are NOT table CRUD operations (e.g., login, register, etc.)
+ *
+ * Output structure:
+ * mutations/
+ * useLoginMutation.ts
+ * useRegisterMutation.ts
+ * ...
+ */
+import type {
+ CleanOperation,
+ CleanArgument,
+ TypeRegistry,
+} from '../../types/schema';
+import {
+ createProject,
+ createSourceFile,
+ getFormattedOutput,
+ createFileHeader,
+ createImport,
+ createInterface,
+ createConst,
+ type InterfaceProperty,
+} from './ts-ast';
+import { buildCustomMutationString } from './schema-gql-ast';
+import {
+ typeRefToTsType,
+ isTypeRequired,
+ getOperationHookName,
+ getOperationFileName,
+ getOperationVariablesTypeName,
+ getOperationResultTypeName,
+ getDocumentConstName,
+} from './type-resolver';
+
+export interface GeneratedCustomMutationFile {
+ fileName: string;
+ content: string;
+ operationName: string;
+}
+
+// ============================================================================
+// Single custom mutation hook generator
+// ============================================================================
+
+export interface GenerateCustomMutationHookOptions {
+ operation: CleanOperation;
+ typeRegistry: TypeRegistry;
+ maxDepth?: number;
+ skipQueryField?: boolean;
+}
+
+/**
+ * Generate a custom mutation hook file
+ */
+export function generateCustomMutationHook(
+ options: GenerateCustomMutationHookOptions
+): GeneratedCustomMutationFile {
+ const { operation } = options;
+
+ try {
+ return generateCustomMutationHookInternal(options);
+ } catch (err) {
+ console.error(`Error generating hook for mutation: ${operation.name}`);
+ console.error(` Args: ${operation.args.length}, Return type: ${operation.returnType.kind}/${operation.returnType.name}`);
+ throw err;
+ }
+}
+
+function generateCustomMutationHookInternal(
+ options: GenerateCustomMutationHookOptions
+): GeneratedCustomMutationFile {
+ const { operation, typeRegistry, maxDepth = 2, skipQueryField = true } = options;
+
+ const project = createProject();
+ const hookName = getOperationHookName(operation.name, 'mutation');
+ const fileName = getOperationFileName(operation.name, 'mutation');
+ const variablesTypeName = getOperationVariablesTypeName(operation.name, 'mutation');
+ const resultTypeName = getOperationResultTypeName(operation.name, 'mutation');
+ const documentConstName = getDocumentConstName(operation.name, 'mutation');
+
+ // Generate GraphQL document
+ const mutationDocument = buildCustomMutationString({
+ operation,
+ typeRegistry,
+ maxDepth,
+ skipQueryField,
+ });
+
+ const sourceFile = createSourceFile(project, fileName);
+
+ // Add file header
+ sourceFile.insertText(
+ 0,
+ createFileHeader(`Custom mutation hook for ${operation.name}`) + '\n\n'
+ );
+
+ // Add imports
+ sourceFile.addImportDeclarations([
+ createImport({
+ moduleSpecifier: '@tanstack/react-query',
+ namedImports: ['useMutation'],
+ typeOnlyNamedImports: ['UseMutationOptions'],
+ }),
+ createImport({
+ moduleSpecifier: '../client',
+ namedImports: ['execute'],
+ }),
+ ]);
+
+ // Add mutation document constant
+ sourceFile.addVariableStatement(
+ createConst(documentConstName, '`\n' + mutationDocument + '`', {
+ docs: ['GraphQL mutation document'],
+ })
+ );
+
+ // Generate variables interface if there are arguments
+ if (operation.args.length > 0) {
+ const variablesProps = generateVariablesProperties(operation.args);
+ sourceFile.addInterface(createInterface(variablesTypeName, variablesProps));
+ }
+
+ // Generate result interface
+ const resultType = typeRefToTsType(operation.returnType);
+ const resultProps: InterfaceProperty[] = [
+ { name: operation.name, type: resultType },
+ ];
+ sourceFile.addInterface(createInterface(resultTypeName, resultProps));
+
+ // Generate hook function
+ const hookParams = generateHookParameters(operation, variablesTypeName, resultTypeName);
+ const hookBody = generateHookBody(operation, documentConstName, variablesTypeName, resultTypeName);
+
+ // Note: docs can cause ts-morph issues with certain content, so we skip them
+ sourceFile.addFunction({
+ name: hookName,
+ isExported: true,
+ parameters: hookParams,
+ statements: hookBody,
+ });
+
+ return {
+ fileName,
+ content: getFormattedOutput(sourceFile),
+ operationName: operation.name,
+ };
+}
+
+// ============================================================================
+// Helper functions
+// ============================================================================
+
+/**
+ * Generate interface properties from CleanArguments
+ */
+function generateVariablesProperties(args: CleanArgument[]): InterfaceProperty[] {
+ return args.map((arg) => ({
+ name: arg.name,
+ type: typeRefToTsType(arg.type),
+ optional: !isTypeRequired(arg.type),
+ docs: arg.description ? [arg.description] : undefined,
+ }));
+}
+
+/**
+ * Generate hook function parameters
+ */
+function generateHookParameters(
+ operation: CleanOperation,
+ variablesTypeName: string,
+ resultTypeName: string
+): Array<{ name: string; type: string; hasQuestionToken?: boolean }> {
+ const hasArgs = operation.args.length > 0;
+
+ // Mutation hooks use UseMutationOptions with variables as the second type param
+ const optionsType = hasArgs
+ ? `Omit, 'mutationFn'>`
+ : `Omit, 'mutationFn'>`;
+
+ return [
+ {
+ name: 'options',
+ type: optionsType,
+ hasQuestionToken: true,
+ },
+ ];
+}
+
+/**
+ * Generate hook function body
+ */
+function generateHookBody(
+ operation: CleanOperation,
+ documentConstName: string,
+ variablesTypeName: string,
+ resultTypeName: string
+): string {
+ const hasArgs = operation.args.length > 0;
+
+ if (hasArgs) {
+ return `return useMutation({
+ mutationFn: (variables: ${variablesTypeName}) =>
+ execute<${resultTypeName}, ${variablesTypeName}>(
+ ${documentConstName},
+ variables
+ ),
+ ...options,
+ });`;
+ } else {
+ return `return useMutation({
+ mutationFn: () => execute<${resultTypeName}>(${documentConstName}),
+ ...options,
+ });`;
+ }
+}
+
+// NOTE: JSDoc generation removed due to ts-morph issues with certain content
+
+// ============================================================================
+// Batch generator
+// ============================================================================
+
+export interface GenerateAllCustomMutationHooksOptions {
+ operations: CleanOperation[];
+ typeRegistry: TypeRegistry;
+ maxDepth?: number;
+ skipQueryField?: boolean;
+}
+
+/**
+ * Generate all custom mutation hook files
+ */
+export function generateAllCustomMutationHooks(
+ options: GenerateAllCustomMutationHooksOptions
+): GeneratedCustomMutationFile[] {
+ const { operations, typeRegistry, maxDepth = 2, skipQueryField = true } = options;
+
+ return operations
+ .filter((op) => op.kind === 'mutation')
+ .map((operation) =>
+ generateCustomMutationHook({
+ operation,
+ typeRegistry,
+ maxDepth,
+ skipQueryField,
+ })
+ );
+}
diff --git a/graphql/codegen/src/cli/codegen/custom-queries.ts b/graphql/codegen/src/cli/codegen/custom-queries.ts
new file mode 100644
index 000000000..567dd5d0f
--- /dev/null
+++ b/graphql/codegen/src/cli/codegen/custom-queries.ts
@@ -0,0 +1,505 @@
+/**
+ * Custom query hook generators for non-table operations
+ *
+ * Generates hooks for operations discovered via schema introspection
+ * that are NOT table CRUD operations (e.g., currentUser, nodeById, etc.)
+ *
+ * Output structure:
+ * queries/
+ * useCurrentUserQuery.ts
+ * useNodeQuery.ts
+ * ...
+ */
+import type {
+ CleanOperation,
+ CleanArgument,
+ TypeRegistry,
+} from '../../types/schema';
+import {
+ createProject,
+ createSourceFile,
+ getFormattedOutput,
+ createFileHeader,
+ createImport,
+ createInterface,
+ createConst,
+ type InterfaceProperty,
+} from './ts-ast';
+import { buildCustomQueryString } from './schema-gql-ast';
+import {
+ typeRefToTsType,
+ isTypeRequired,
+ getOperationHookName,
+ getOperationFileName,
+ getOperationVariablesTypeName,
+ getOperationResultTypeName,
+ getDocumentConstName,
+ getQueryKeyName,
+} from './type-resolver';
+import { ucFirst } from './utils';
+
+export interface GeneratedCustomQueryFile {
+ fileName: string;
+ content: string;
+ operationName: string;
+}
+
+// ============================================================================
+// Single custom query hook generator
+// ============================================================================
+
+export interface GenerateCustomQueryHookOptions {
+ operation: CleanOperation;
+ typeRegistry: TypeRegistry;
+ maxDepth?: number;
+ skipQueryField?: boolean;
+}
+
+/**
+ * Generate a custom query hook file
+ */
+export function generateCustomQueryHook(
+ options: GenerateCustomQueryHookOptions
+): GeneratedCustomQueryFile {
+ const { operation, typeRegistry, maxDepth = 2, skipQueryField = true } = options;
+
+ const project = createProject();
+ const hookName = getOperationHookName(operation.name, 'query');
+ const fileName = getOperationFileName(operation.name, 'query');
+ const variablesTypeName = getOperationVariablesTypeName(operation.name, 'query');
+ const resultTypeName = getOperationResultTypeName(operation.name, 'query');
+ const documentConstName = getDocumentConstName(operation.name, 'query');
+ const queryKeyName = getQueryKeyName(operation.name);
+
+ // Generate GraphQL document
+ const queryDocument = buildCustomQueryString({
+ operation,
+ typeRegistry,
+ maxDepth,
+ skipQueryField,
+ });
+
+ const sourceFile = createSourceFile(project, fileName);
+
+ // Add file header
+ sourceFile.insertText(
+ 0,
+ createFileHeader(`Custom query hook for ${operation.name}`) + '\n\n'
+ );
+
+ // Add imports
+ sourceFile.addImportDeclarations([
+ createImport({
+ moduleSpecifier: '@tanstack/react-query',
+ namedImports: ['useQuery'],
+ typeOnlyNamedImports: ['UseQueryOptions', 'QueryClient'],
+ }),
+ createImport({
+ moduleSpecifier: '../client',
+ namedImports: ['execute'],
+ typeOnlyNamedImports: ['ExecuteOptions'],
+ }),
+ ]);
+
+ // Add query document constant
+ sourceFile.addVariableStatement(
+ createConst(documentConstName, '`\n' + queryDocument + '`', {
+ docs: ['GraphQL query document'],
+ })
+ );
+
+ // Generate variables interface if there are arguments
+ if (operation.args.length > 0) {
+ const variablesProps = generateVariablesProperties(operation.args);
+ sourceFile.addInterface(createInterface(variablesTypeName, variablesProps));
+ }
+
+ // Generate result interface
+ const resultType = typeRefToTsType(operation.returnType);
+ const resultProps: InterfaceProperty[] = [
+ { name: operation.name, type: resultType },
+ ];
+ sourceFile.addInterface(createInterface(resultTypeName, resultProps));
+
+ // Query key factory
+ if (operation.args.length > 0) {
+ sourceFile.addVariableStatement(
+ createConst(
+ queryKeyName,
+ `(variables?: ${variablesTypeName}) =>
+ ['${operation.name}', variables] as const`,
+ { docs: ['Query key factory for caching'] }
+ )
+ );
+ } else {
+ sourceFile.addVariableStatement(
+ createConst(queryKeyName, `() => ['${operation.name}'] as const`, {
+ docs: ['Query key factory for caching'],
+ })
+ );
+ }
+
+ // Generate hook function
+ const hookParams = generateHookParameters(operation, variablesTypeName, resultTypeName);
+ const hookBody = generateHookBody(operation, documentConstName, queryKeyName, variablesTypeName, resultTypeName);
+ const hookDoc = generateHookDoc(operation, hookName);
+
+ sourceFile.addFunction({
+ name: hookName,
+ isExported: true,
+ parameters: hookParams,
+ statements: hookBody,
+ docs: [{ description: hookDoc }],
+ });
+
+ // Add standalone functions section
+ sourceFile.addStatements('\n// ============================================================================');
+ sourceFile.addStatements('// Standalone Functions (non-React)');
+ sourceFile.addStatements('// ============================================================================\n');
+
+ // Generate standalone fetch function
+ const fetchFnName = `fetch${ucFirst(operation.name)}Query`;
+ const fetchParams = generateFetchParameters(operation, variablesTypeName);
+ const fetchBody = generateFetchBody(operation, documentConstName, variablesTypeName, resultTypeName);
+ const fetchDoc = generateFetchDoc(operation, fetchFnName);
+
+ sourceFile.addFunction({
+ name: fetchFnName,
+ isExported: true,
+ isAsync: true,
+ parameters: fetchParams,
+ returnType: `Promise<${resultTypeName}>`,
+ statements: fetchBody,
+ docs: [{ description: fetchDoc }],
+ });
+
+ // Generate prefetch function
+ const prefetchFnName = `prefetch${ucFirst(operation.name)}Query`;
+ const prefetchParams = generatePrefetchParameters(operation, variablesTypeName);
+ const prefetchBody = generatePrefetchBody(operation, documentConstName, queryKeyName, variablesTypeName, resultTypeName);
+ const prefetchDoc = generatePrefetchDoc(operation, prefetchFnName);
+
+ sourceFile.addFunction({
+ name: prefetchFnName,
+ isExported: true,
+ isAsync: true,
+ parameters: prefetchParams,
+ returnType: 'Promise',
+ statements: prefetchBody,
+ docs: [{ description: prefetchDoc }],
+ });
+
+ return {
+ fileName,
+ content: getFormattedOutput(sourceFile),
+ operationName: operation.name,
+ };
+}
+
+// ============================================================================
+// Helper functions
+// ============================================================================
+
+/**
+ * Generate interface properties from CleanArguments
+ */
+function generateVariablesProperties(args: CleanArgument[]): InterfaceProperty[] {
+ return args.map((arg) => ({
+ name: arg.name,
+ type: typeRefToTsType(arg.type),
+ optional: !isTypeRequired(arg.type),
+ docs: arg.description ? [arg.description] : undefined,
+ }));
+}
+
+/**
+ * Generate hook function parameters
+ */
+function generateHookParameters(
+ operation: CleanOperation,
+ variablesTypeName: string,
+ resultTypeName: string
+): Array<{ name: string; type: string; hasQuestionToken?: boolean }> {
+ const params: Array<{ name: string; type: string; hasQuestionToken?: boolean }> = [];
+
+ // Add variables parameter if there are required args
+ const hasRequiredArgs = operation.args.some((arg) => isTypeRequired(arg.type));
+
+ if (operation.args.length > 0) {
+ params.push({
+ name: 'variables',
+ type: variablesTypeName,
+ hasQuestionToken: !hasRequiredArgs,
+ });
+ }
+
+ // Add options parameter
+ params.push({
+ name: 'options',
+ type: `Omit, 'queryKey' | 'queryFn'>`,
+ hasQuestionToken: true,
+ });
+
+ return params;
+}
+
+/**
+ * Generate hook function body
+ */
+function generateHookBody(
+ operation: CleanOperation,
+ documentConstName: string,
+ queryKeyName: string,
+ variablesTypeName: string,
+ resultTypeName: string
+): string {
+ const hasArgs = operation.args.length > 0;
+ const hasRequiredArgs = operation.args.some((arg) => isTypeRequired(arg.type));
+
+ if (hasArgs) {
+ // With variables
+ const enabledCondition = hasRequiredArgs
+ ? `enabled: !!variables && (options?.enabled !== false),`
+ : '';
+
+ return `return useQuery({
+ queryKey: ${queryKeyName}(variables),
+ queryFn: () => execute<${resultTypeName}, ${variablesTypeName}>(
+ ${documentConstName},
+ variables
+ ),
+ ${enabledCondition}
+ ...options,
+ });`;
+ } else {
+ // No variables
+ return `return useQuery({
+ queryKey: ${queryKeyName}(),
+ queryFn: () => execute<${resultTypeName}>(${documentConstName}),
+ ...options,
+ });`;
+ }
+}
+
+/**
+ * Generate hook JSDoc documentation
+ */
+function generateHookDoc(operation: CleanOperation, hookName: string): string {
+ const description = operation.description
+ ? operation.description
+ : `Query hook for ${operation.name}`;
+
+ const hasArgs = operation.args.length > 0;
+
+ let example: string;
+ if (hasArgs) {
+ const argNames = operation.args.map((a) => a.name).join(', ');
+ example = `
+@example
+\`\`\`tsx
+const { data, isLoading } = ${hookName}({ ${argNames} });
+
+if (data?.${operation.name}) {
+ console.log(data.${operation.name});
+}
+\`\`\``;
+ } else {
+ example = `
+@example
+\`\`\`tsx
+const { data, isLoading } = ${hookName}();
+
+if (data?.${operation.name}) {
+ console.log(data.${operation.name});
+}
+\`\`\``;
+ }
+
+ return description + '\n' + example;
+}
+
+// ============================================================================
+// Standalone function generators
+// ============================================================================
+
+/**
+ * Generate fetch function parameters
+ */
+function generateFetchParameters(
+ operation: CleanOperation,
+ variablesTypeName: string
+): Array<{ name: string; type: string; hasQuestionToken?: boolean }> {
+ const params: Array<{ name: string; type: string; hasQuestionToken?: boolean }> = [];
+
+ if (operation.args.length > 0) {
+ const hasRequiredArgs = operation.args.some((arg) => isTypeRequired(arg.type));
+ params.push({
+ name: 'variables',
+ type: variablesTypeName,
+ hasQuestionToken: !hasRequiredArgs,
+ });
+ }
+
+ params.push({
+ name: 'options',
+ type: 'ExecuteOptions',
+ hasQuestionToken: true,
+ });
+
+ return params;
+}
+
+/**
+ * Generate fetch function body
+ */
+function generateFetchBody(
+ operation: CleanOperation,
+ documentConstName: string,
+ variablesTypeName: string,
+ resultTypeName: string
+): string {
+ if (operation.args.length > 0) {
+ return `return execute<${resultTypeName}, ${variablesTypeName}>(
+ ${documentConstName},
+ variables,
+ options
+ );`;
+ } else {
+ return `return execute<${resultTypeName}>(${documentConstName}, undefined, options);`;
+ }
+}
+
+/**
+ * Generate fetch function documentation
+ */
+function generateFetchDoc(operation: CleanOperation, fnName: string): string {
+ const description = `Fetch ${operation.name} without React hooks`;
+
+ if (operation.args.length > 0) {
+ const argNames = operation.args.map((a) => a.name).join(', ');
+ return `${description}
+
+@example
+\`\`\`ts
+const data = await ${fnName}({ ${argNames} });
+\`\`\``;
+ } else {
+ return `${description}
+
+@example
+\`\`\`ts
+const data = await ${fnName}();
+\`\`\``;
+ }
+}
+
+/**
+ * Generate prefetch function parameters
+ */
+function generatePrefetchParameters(
+ operation: CleanOperation,
+ variablesTypeName: string
+): Array<{ name: string; type: string; hasQuestionToken?: boolean }> {
+ const params: Array<{ name: string; type: string; hasQuestionToken?: boolean }> = [
+ { name: 'queryClient', type: 'QueryClient' },
+ ];
+
+ if (operation.args.length > 0) {
+ const hasRequiredArgs = operation.args.some((arg) => isTypeRequired(arg.type));
+ params.push({
+ name: 'variables',
+ type: variablesTypeName,
+ hasQuestionToken: !hasRequiredArgs,
+ });
+ }
+
+ params.push({
+ name: 'options',
+ type: 'ExecuteOptions',
+ hasQuestionToken: true,
+ });
+
+ return params;
+}
+
+/**
+ * Generate prefetch function body
+ */
+function generatePrefetchBody(
+ operation: CleanOperation,
+ documentConstName: string,
+ queryKeyName: string,
+ variablesTypeName: string,
+ resultTypeName: string
+): string {
+ if (operation.args.length > 0) {
+ return `await queryClient.prefetchQuery({
+ queryKey: ${queryKeyName}(variables),
+ queryFn: () => execute<${resultTypeName}, ${variablesTypeName}>(
+ ${documentConstName},
+ variables,
+ options
+ ),
+ });`;
+ } else {
+ return `await queryClient.prefetchQuery({
+ queryKey: ${queryKeyName}(),
+ queryFn: () => execute<${resultTypeName}>(${documentConstName}, undefined, options),
+ });`;
+ }
+}
+
+/**
+ * Generate prefetch function documentation
+ */
+function generatePrefetchDoc(operation: CleanOperation, fnName: string): string {
+ const description = `Prefetch ${operation.name} for SSR or cache warming`;
+
+ if (operation.args.length > 0) {
+ const argNames = operation.args.map((a) => a.name).join(', ');
+ return `${description}
+
+@example
+\`\`\`ts
+await ${fnName}(queryClient, { ${argNames} });
+\`\`\``;
+ } else {
+ return `${description}
+
+@example
+\`\`\`ts
+await ${fnName}(queryClient);
+\`\`\``;
+ }
+}
+
+// ============================================================================
+// Batch generator
+// ============================================================================
+
+export interface GenerateAllCustomQueryHooksOptions {
+ operations: CleanOperation[];
+ typeRegistry: TypeRegistry;
+ maxDepth?: number;
+ skipQueryField?: boolean;
+}
+
+/**
+ * Generate all custom query hook files
+ */
+export function generateAllCustomQueryHooks(
+ options: GenerateAllCustomQueryHooksOptions
+): GeneratedCustomQueryFile[] {
+ const { operations, typeRegistry, maxDepth = 2, skipQueryField = true } = options;
+
+ return operations
+ .filter((op) => op.kind === 'query')
+ .map((operation) =>
+ generateCustomQueryHook({
+ operation,
+ typeRegistry,
+ maxDepth,
+ skipQueryField,
+ })
+ );
+}
diff --git a/graphql/codegen/src/cli/codegen/filters.ts b/graphql/codegen/src/cli/codegen/filters.ts
new file mode 100644
index 000000000..36ad08f12
--- /dev/null
+++ b/graphql/codegen/src/cli/codegen/filters.ts
@@ -0,0 +1,384 @@
+/**
+ * PostGraphile filter type generators
+ *
+ * Generates TypeScript interfaces for PostGraphile filter types:
+ * - Base scalar filters (StringFilter, IntFilter, etc.)
+ * - Table-specific filters (CarFilter, UserFilter, etc.)
+ * - OrderBy enum types
+ */
+import type { CleanTable, CleanField } from '../../types/schema';
+import {
+ getFilterTypeName,
+ getOrderByTypeName,
+ getScalarFilterType,
+ getScalarFields,
+ toScreamingSnake,
+ getGeneratedFileHeader,
+} from './utils';
+
+// ============================================================================
+// Base filter type definitions
+// ============================================================================
+
+/**
+ * Generate all base PostGraphile filter types
+ * These are shared across all tables
+ */
+export function generateBaseFilterTypes(): string {
+ return `${getGeneratedFileHeader('PostGraphile base filter types')}
+
+// ============================================================================
+// String filters
+// ============================================================================
+
+export interface StringFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+ includes?: string;
+ notIncludes?: string;
+ includesInsensitive?: string;
+ notIncludesInsensitive?: string;
+ startsWith?: string;
+ notStartsWith?: string;
+ startsWithInsensitive?: string;
+ notStartsWithInsensitive?: string;
+ endsWith?: string;
+ notEndsWith?: string;
+ endsWithInsensitive?: string;
+ notEndsWithInsensitive?: string;
+ like?: string;
+ notLike?: string;
+ likeInsensitive?: string;
+ notLikeInsensitive?: string;
+}
+
+export interface StringListFilter {
+ isNull?: boolean;
+ equalTo?: string[];
+ notEqualTo?: string[];
+ distinctFrom?: string[];
+ notDistinctFrom?: string[];
+ lessThan?: string[];
+ lessThanOrEqualTo?: string[];
+ greaterThan?: string[];
+ greaterThanOrEqualTo?: string[];
+ contains?: string[];
+ containedBy?: string[];
+ overlaps?: string[];
+ anyEqualTo?: string;
+ anyNotEqualTo?: string;
+ anyLessThan?: string;
+ anyLessThanOrEqualTo?: string;
+ anyGreaterThan?: string;
+ anyGreaterThanOrEqualTo?: string;
+}
+
+// ============================================================================
+// Numeric filters
+// ============================================================================
+
+export interface IntFilter {
+ isNull?: boolean;
+ equalTo?: number;
+ notEqualTo?: number;
+ distinctFrom?: number;
+ notDistinctFrom?: number;
+ in?: number[];
+ notIn?: number[];
+ lessThan?: number;
+ lessThanOrEqualTo?: number;
+ greaterThan?: number;
+ greaterThanOrEqualTo?: number;
+}
+
+export interface IntListFilter {
+ isNull?: boolean;
+ equalTo?: number[];
+ notEqualTo?: number[];
+ distinctFrom?: number[];
+ notDistinctFrom?: number[];
+ lessThan?: number[];
+ lessThanOrEqualTo?: number[];
+ greaterThan?: number[];
+ greaterThanOrEqualTo?: number[];
+ contains?: number[];
+ containedBy?: number[];
+ overlaps?: number[];
+ anyEqualTo?: number;
+ anyNotEqualTo?: number;
+ anyLessThan?: number;
+ anyLessThanOrEqualTo?: number;
+ anyGreaterThan?: number;
+ anyGreaterThanOrEqualTo?: number;
+}
+
+export interface FloatFilter {
+ isNull?: boolean;
+ equalTo?: number;
+ notEqualTo?: number;
+ distinctFrom?: number;
+ notDistinctFrom?: number;
+ in?: number[];
+ notIn?: number[];
+ lessThan?: number;
+ lessThanOrEqualTo?: number;
+ greaterThan?: number;
+ greaterThanOrEqualTo?: number;
+}
+
+export interface BigIntFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+export interface BigFloatFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+// ============================================================================
+// Boolean filter
+// ============================================================================
+
+export interface BooleanFilter {
+ isNull?: boolean;
+ equalTo?: boolean;
+ notEqualTo?: boolean;
+ distinctFrom?: boolean;
+ notDistinctFrom?: boolean;
+ in?: boolean[];
+ notIn?: boolean[];
+}
+
+// ============================================================================
+// UUID filter
+// ============================================================================
+
+export interface UUIDFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+export interface UUIDListFilter {
+ isNull?: boolean;
+ equalTo?: string[];
+ notEqualTo?: string[];
+ distinctFrom?: string[];
+ notDistinctFrom?: string[];
+ lessThan?: string[];
+ lessThanOrEqualTo?: string[];
+ greaterThan?: string[];
+ greaterThanOrEqualTo?: string[];
+ contains?: string[];
+ containedBy?: string[];
+ overlaps?: string[];
+ anyEqualTo?: string;
+ anyNotEqualTo?: string;
+ anyLessThan?: string;
+ anyLessThanOrEqualTo?: string;
+ anyGreaterThan?: string;
+ anyGreaterThanOrEqualTo?: string;
+}
+
+// ============================================================================
+// Date/Time filters
+// ============================================================================
+
+export interface DatetimeFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+export interface DateFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+export interface TimeFilter {
+ isNull?: boolean;
+ equalTo?: string;
+ notEqualTo?: string;
+ distinctFrom?: string;
+ notDistinctFrom?: string;
+ in?: string[];
+ notIn?: string[];
+ lessThan?: string;
+ lessThanOrEqualTo?: string;
+ greaterThan?: string;
+ greaterThanOrEqualTo?: string;
+}
+
+// ============================================================================
+// JSON filter
+// ============================================================================
+
+export interface JSONFilter {
+ isNull?: boolean;
+ equalTo?: unknown;
+ notEqualTo?: unknown;
+ distinctFrom?: unknown;
+ notDistinctFrom?: unknown;
+ in?: unknown[];
+ notIn?: unknown[];
+ contains?: unknown;
+ containedBy?: unknown;
+ containsKey?: string;
+ containsAllKeys?: string[];
+ containsAnyKeys?: string[];
+}
+`;
+}
+
+// ============================================================================
+// Table-specific filter generators
+// ============================================================================
+
+/**
+ * Generate filter interface for a specific table
+ */
+export function generateTableFilter(table: CleanTable): string {
+ const filterTypeName = getFilterTypeName(table);
+ const scalarFields = getScalarFields(table);
+
+ const fieldFilters = scalarFields
+ .map((field) => {
+ const filterType = getFieldFilterType(field);
+ if (!filterType) return null;
+ return ` ${field.name}?: ${filterType};`;
+ })
+ .filter(Boolean)
+ .join('\n');
+
+ return `export interface ${filterTypeName} {
+${fieldFilters}
+ /** Logical AND */
+ and?: ${filterTypeName}[];
+ /** Logical OR */
+ or?: ${filterTypeName}[];
+ /** Logical NOT */
+ not?: ${filterTypeName};
+}`;
+}
+
+/**
+ * Get the filter type for a specific field
+ */
+function getFieldFilterType(field: CleanField): string | null {
+ const { gqlType, isArray } = field.type;
+
+ // Handle array types
+ if (isArray) {
+ const cleanType = gqlType.replace(/!/g, '');
+ switch (cleanType) {
+ case 'String':
+ return 'StringListFilter';
+ case 'Int':
+ return 'IntListFilter';
+ case 'UUID':
+ return 'UUIDListFilter';
+ default:
+ return null;
+ }
+ }
+
+ return getScalarFilterType(gqlType);
+}
+
+// ============================================================================
+// OrderBy enum generators
+// ============================================================================
+
+/**
+ * Generate OrderBy type for a specific table
+ */
+export function generateTableOrderBy(table: CleanTable): string {
+ const orderByTypeName = getOrderByTypeName(table);
+ const scalarFields = getScalarFields(table);
+
+ const fieldOrderBys = scalarFields.flatMap((field) => {
+ const screamingName = toScreamingSnake(field.name);
+ return [`'${screamingName}_ASC'`, `'${screamingName}_DESC'`];
+ });
+
+ // Add standard PostGraphile order options
+ const standardOrderBys = [
+ "'NATURAL'",
+ "'PRIMARY_KEY_ASC'",
+ "'PRIMARY_KEY_DESC'",
+ ];
+
+ const allOrderBys = [...fieldOrderBys, ...standardOrderBys];
+
+ return `export type ${orderByTypeName} = ${allOrderBys.join(' | ')};`;
+}
+
+// ============================================================================
+// Combined generators for hook files
+// ============================================================================
+
+/**
+ * Generate inline filter and orderBy types for a query hook file
+ * These are embedded directly in the hook file for self-containment
+ */
+export function generateInlineFilterTypes(table: CleanTable): string {
+ const filterDef = generateTableFilter(table);
+ const orderByDef = generateTableOrderBy(table);
+
+ return `${filterDef}
+
+${orderByDef}`;
+}
diff --git a/graphql/codegen/src/cli/codegen/gql-ast.ts b/graphql/codegen/src/cli/codegen/gql-ast.ts
new file mode 100644
index 000000000..a07ec3f7b
--- /dev/null
+++ b/graphql/codegen/src/cli/codegen/gql-ast.ts
@@ -0,0 +1,378 @@
+/**
+ * GraphQL AST builders using gql-ast
+ *
+ * Provides utilities for generating GraphQL queries and mutations via AST
+ * instead of string concatenation.
+ */
+import * as t from 'gql-ast';
+import { print } from 'graphql';
+import type {
+ DocumentNode,
+ FieldNode,
+ ArgumentNode,
+ VariableDefinitionNode,
+} from 'graphql';
+import type { CleanTable, CleanField } from '../../types/schema';
+import {
+ getTableNames,
+ getAllRowsQueryName,
+ getSingleRowQueryName,
+ getCreateMutationName,
+ getUpdateMutationName,
+ getDeleteMutationName,
+ getFilterTypeName,
+ getOrderByTypeName,
+ getScalarFields,
+ ucFirst,
+} from './utils';
+
+
+
+// ============================================================================
+// Field selection builders
+// ============================================================================
+
+/**
+ * Create field selections from CleanField array
+ */
+function createFieldSelections(fields: CleanField[]): FieldNode[] {
+ return fields.map((field) => t.field({ name: field.name }));
+}
+
+/**
+ * Create pageInfo selection
+ */
+function createPageInfoSelection(): FieldNode {
+ return t.field({
+ name: 'pageInfo',
+ selectionSet: t.selectionSet({
+ selections: [
+ t.field({ name: 'hasNextPage' }),
+ t.field({ name: 'hasPreviousPage' }),
+ t.field({ name: 'startCursor' }),
+ t.field({ name: 'endCursor' }),
+ ],
+ }),
+ });
+}
+
+// ============================================================================
+// List query builder
+// ============================================================================
+
+export interface ListQueryConfig {
+ table: CleanTable;
+}
+
+/**
+ * Build a list query AST for a table
+ */
+export function buildListQueryAST(config: ListQueryConfig): DocumentNode {
+ const { table } = config;
+ const queryName = getAllRowsQueryName(table);
+ const filterType = getFilterTypeName(table);
+ const orderByType = getOrderByTypeName(table);
+ const scalarFields = getScalarFields(table);
+
+ // Variable definitions
+ const variableDefinitions: VariableDefinitionNode[] = [
+ t.variableDefinition({
+ variable: t.variable({ name: 'first' }),
+ type: t.namedType({ type: 'Int' }),
+ }),
+ t.variableDefinition({
+ variable: t.variable({ name: 'offset' }),
+ type: t.namedType({ type: 'Int' }),
+ }),
+ t.variableDefinition({
+ variable: t.variable({ name: 'filter' }),
+ type: t.namedType({ type: filterType }),
+ }),
+ t.variableDefinition({
+ variable: t.variable({ name: 'orderBy' }),
+ type: t.listType({
+ type: t.nonNullType({ type: t.namedType({ type: orderByType }) }),
+ }),
+ }),
+ ];
+
+ // Query arguments
+ const args: ArgumentNode[] = [
+ t.argument({ name: 'first', value: t.variable({ name: 'first' }) }),
+ t.argument({ name: 'offset', value: t.variable({ name: 'offset' }) }),
+ t.argument({ name: 'filter', value: t.variable({ name: 'filter' }) }),
+ t.argument({ name: 'orderBy', value: t.variable({ name: 'orderBy' }) }),
+ ];
+
+ // Field selections
+ const fieldSelections = createFieldSelections(scalarFields);
+
+ // Connection fields
+ const connectionFields: FieldNode[] = [
+ t.field({ name: 'totalCount' }),
+ t.field({
+ name: 'nodes',
+ selectionSet: t.selectionSet({ selections: fieldSelections }),
+ }),
+ createPageInfoSelection(),
+ ];
+
+ return t.document({
+ definitions: [
+ t.operationDefinition({
+ operation: 'query',
+ name: `${ucFirst(queryName)}Query`,
+ variableDefinitions,
+ selectionSet: t.selectionSet({
+ selections: [
+ t.field({
+ name: queryName,
+ args,
+ selectionSet: t.selectionSet({ selections: connectionFields }),
+ }),
+ ],
+ }),
+ }),
+ ],
+ });
+}
+
+// ============================================================================
+// Single item query builder
+// ============================================================================
+
+export interface SingleQueryConfig {
+ table: CleanTable;
+}
+
+/**
+ * Build a single item query AST for a table
+ */
+export function buildSingleQueryAST(config: SingleQueryConfig): DocumentNode {
+ const { table } = config;
+ const queryName = getSingleRowQueryName(table);
+ const scalarFields = getScalarFields(table);
+
+ // Variable definitions - assume UUID primary key
+ const variableDefinitions: VariableDefinitionNode[] = [
+ t.variableDefinition({
+ variable: t.variable({ name: 'id' }),
+ type: t.nonNullType({ type: t.namedType({ type: 'UUID' }) }),
+ }),
+ ];
+
+ // Query arguments
+ const args: ArgumentNode[] = [
+ t.argument({ name: 'id', value: t.variable({ name: 'id' }) }),
+ ];
+
+ // Field selections
+ const fieldSelections = createFieldSelections(scalarFields);
+
+ return t.document({
+ definitions: [
+ t.operationDefinition({
+ operation: 'query',
+ name: `${ucFirst(queryName)}Query`,
+ variableDefinitions,
+ selectionSet: t.selectionSet({
+ selections: [
+ t.field({
+ name: queryName,
+ args,
+ selectionSet: t.selectionSet({ selections: fieldSelections }),
+ }),
+ ],
+ }),
+ }),
+ ],
+ });
+}
+
+// ============================================================================
+// Create mutation builder
+// ============================================================================
+
+export interface CreateMutationConfig {
+ table: CleanTable;
+}
+
+/**
+ * Build a create mutation AST for a table
+ */
+export function buildCreateMutationAST(config: CreateMutationConfig): DocumentNode {
+ const { table } = config;
+ const { typeName, singularName } = getTableNames(table);
+ const mutationName = getCreateMutationName(table);
+ const inputTypeName = `Create${typeName}Input`;
+ const scalarFields = getScalarFields(table);
+
+ // Variable definitions
+ const variableDefinitions: VariableDefinitionNode[] = [
+ t.variableDefinition({
+ variable: t.variable({ name: 'input' }),
+ type: t.nonNullType({ type: t.namedType({ type: inputTypeName }) }),
+ }),
+ ];
+
+ // Mutation arguments
+ const args: ArgumentNode[] = [
+ t.argument({ name: 'input', value: t.variable({ name: 'input' }) }),
+ ];
+
+ // Field selections
+ const fieldSelections = createFieldSelections(scalarFields);
+
+ return t.document({
+ definitions: [
+ t.operationDefinition({
+ operation: 'mutation',
+ name: `${ucFirst(mutationName)}Mutation`,
+ variableDefinitions,
+ selectionSet: t.selectionSet({
+ selections: [
+ t.field({
+ name: mutationName,
+ args,
+ selectionSet: t.selectionSet({
+ selections: [
+ t.field({
+ name: singularName,
+ selectionSet: t.selectionSet({ selections: fieldSelections }),
+ }),
+ ],
+ }),
+ }),
+ ],
+ }),
+ }),
+ ],
+ });
+}
+
+// ============================================================================
+// Update mutation builder
+// ============================================================================
+
+export interface UpdateMutationConfig {
+ table: CleanTable;
+}
+
+/**
+ * Build an update mutation AST for a table
+ */
+export function buildUpdateMutationAST(config: UpdateMutationConfig): DocumentNode {
+ const { table } = config;
+ const { typeName, singularName } = getTableNames(table);
+ const mutationName = getUpdateMutationName(table);
+ const inputTypeName = `Update${typeName}Input`;
+ const scalarFields = getScalarFields(table);
+
+ // Variable definitions
+ const variableDefinitions: VariableDefinitionNode[] = [
+ t.variableDefinition({
+ variable: t.variable({ name: 'input' }),
+ type: t.nonNullType({ type: t.namedType({ type: inputTypeName }) }),
+ }),
+ ];
+
+ // Mutation arguments
+ const args: ArgumentNode[] = [
+ t.argument({ name: 'input', value: t.variable({ name: 'input' }) }),
+ ];
+
+ // Field selections
+ const fieldSelections = createFieldSelections(scalarFields);
+
+ return t.document({
+ definitions: [
+ t.operationDefinition({
+ operation: 'mutation',
+ name: `${ucFirst(mutationName)}Mutation`,
+ variableDefinitions,
+ selectionSet: t.selectionSet({
+ selections: [
+ t.field({
+ name: mutationName,
+ args,
+ selectionSet: t.selectionSet({
+ selections: [
+ t.field({
+ name: singularName,
+ selectionSet: t.selectionSet({ selections: fieldSelections }),
+ }),
+ ],
+ }),
+ }),
+ ],
+ }),
+ }),
+ ],
+ });
+}
+
+// ============================================================================
+// Delete mutation builder
+// ============================================================================
+
+export interface DeleteMutationConfig {
+ table: CleanTable;
+}
+
+/**
+ * Build a delete mutation AST for a table
+ */
+export function buildDeleteMutationAST(config: DeleteMutationConfig): DocumentNode {
+ const { table } = config;
+ const { typeName } = getTableNames(table);
+ const mutationName = getDeleteMutationName(table);
+ const inputTypeName = `Delete${typeName}Input`;
+
+ // Variable definitions
+ const variableDefinitions: VariableDefinitionNode[] = [
+ t.variableDefinition({
+ variable: t.variable({ name: 'input' }),
+ type: t.nonNullType({ type: t.namedType({ type: inputTypeName }) }),
+ }),
+ ];
+
+ // Mutation arguments
+ const args: ArgumentNode[] = [
+ t.argument({ name: 'input', value: t.variable({ name: 'input' }) }),
+ ];
+
+ return t.document({
+ definitions: [
+ t.operationDefinition({
+ operation: 'mutation',
+ name: `${ucFirst(mutationName)}Mutation`,
+ variableDefinitions,
+ selectionSet: t.selectionSet({
+ selections: [
+ t.field({
+ name: mutationName,
+ args,
+ selectionSet: t.selectionSet({
+ selections: [
+ t.field({ name: 'clientMutationId' }),
+ t.field({ name: 'deletedId' }),
+ ],
+ }),
+ }),
+ ],
+ }),
+ }),
+ ],
+ });
+}
+
+// ============================================================================
+// Print utilities
+// ============================================================================
+
+/**
+ * Print AST to GraphQL string
+ */
+export function printGraphQL(ast: DocumentNode): string {
+ return print(ast);
+}
diff --git a/graphql/codegen/src/cli/codegen/index.ts b/graphql/codegen/src/cli/codegen/index.ts
new file mode 100644
index 000000000..fbcd8d96b
--- /dev/null
+++ b/graphql/codegen/src/cli/codegen/index.ts
@@ -0,0 +1,226 @@
+/**
+ * Code generation orchestrator
+ *
+ * Coordinates all code generators to produce the complete SDK output.
+ *
+ * Output structure:
+ * generated/
+ * index.ts - Main barrel export
+ * client.ts - GraphQL client with configure() and execute()
+ * types.ts - Entity interfaces and filter types
+ * queries/
+ * index.ts - Query hooks barrel
+ * useCarsQuery.ts - List query hook (table-based)
+ * useCarQuery.ts - Single item query hook (table-based)
+ * useCurrentUserQuery.ts - Custom query hook
+ * ...
+ * mutations/
+ * index.ts - Mutation hooks barrel
+ * useCreateCarMutation.ts - Table-based CRUD
+ * useUpdateCarMutation.ts
+ * useDeleteCarMutation.ts
+ * useLoginMutation.ts - Custom mutation
+ * useRegisterMutation.ts
+ * ...
+ */
+import type { CleanTable, CleanOperation, TypeRegistry } from '../../types/schema';
+import type { ResolvedConfig } from '../../types/config';
+
+import { generateClientFile } from './client';
+import { generateTypesFile } from './types';
+import { generateAllQueryHooks } from './queries';
+import { generateAllMutationHooks } from './mutations';
+import { generateAllCustomQueryHooks } from './custom-queries';
+import { generateAllCustomMutationHooks } from './custom-mutations';
+import {
+ generateQueriesBarrel,
+ generateMutationsBarrel,
+ generateMainBarrel,
+ generateCustomQueriesBarrel,
+ generateCustomMutationsBarrel,
+} from './barrel';
+
+// ============================================================================
+// Types
+// ============================================================================
+
+export interface GeneratedFile {
+ /** Relative path from output directory */
+ path: string;
+ /** File content */
+ content: string;
+}
+
+export interface GenerateResult {
+ files: GeneratedFile[];
+ stats: {
+ tables: number;
+ queryHooks: number;
+ mutationHooks: number;
+ customQueryHooks: number;
+ customMutationHooks: number;
+ totalFiles: number;
+ };
+}
+
+export interface GenerateOptions {
+ /** Tables from _meta introspection */
+ tables: CleanTable[];
+ /** Custom operations from __schema introspection */
+ customOperations?: {
+ queries: CleanOperation[];
+ mutations: CleanOperation[];
+ typeRegistry: TypeRegistry;
+ };
+ /** Resolved configuration */
+ config: ResolvedConfig;
+}
+
+// ============================================================================
+// Main orchestrator
+// ============================================================================
+
+/**
+ * Generate all SDK files for tables only (legacy function signature)
+ */
+export function generateAllFiles(
+ tables: CleanTable[],
+ config: ResolvedConfig
+): GenerateResult {
+ return generate({ tables, config });
+}
+
+/**
+ * Generate all SDK files with full support for custom operations
+ */
+export function generate(options: GenerateOptions): GenerateResult {
+ const { tables, customOperations, config } = options;
+ const files: GeneratedFile[] = [];
+
+ // Extract codegen options
+ const maxDepth = config.codegen.maxFieldDepth;
+ const skipQueryField = config.codegen.skipQueryField;
+
+ // 1. Generate client.ts
+ files.push({
+ path: 'client.ts',
+ content: generateClientFile(),
+ });
+
+ // 2. Generate types.ts
+ files.push({
+ path: 'types.ts',
+ content: generateTypesFile(tables),
+ });
+
+ // 3. Generate table-based query hooks (queries/*.ts)
+ const queryHooks = generateAllQueryHooks(tables);
+ for (const hook of queryHooks) {
+ files.push({
+ path: `queries/${hook.fileName}`,
+ content: hook.content,
+ });
+ }
+
+ // 4. Generate custom query hooks if available
+ let customQueryHooks: Array<{ fileName: string; content: string; operationName: string }> = [];
+ if (customOperations && customOperations.queries.length > 0) {
+ customQueryHooks = generateAllCustomQueryHooks({
+ operations: customOperations.queries,
+ typeRegistry: customOperations.typeRegistry,
+ maxDepth,
+ skipQueryField,
+ });
+
+ for (const hook of customQueryHooks) {
+ files.push({
+ path: `queries/${hook.fileName}`,
+ content: hook.content,
+ });
+ }
+ }
+
+ // 5. Generate queries/index.ts barrel (includes both table and custom queries)
+ files.push({
+ path: 'queries/index.ts',
+ content: customQueryHooks.length > 0
+ ? generateCustomQueriesBarrel(tables, customQueryHooks.map((h) => h.operationName))
+ : generateQueriesBarrel(tables),
+ });
+
+ // 6. Generate table-based mutation hooks (mutations/*.ts)
+ const mutationHooks = generateAllMutationHooks(tables);
+ for (const hook of mutationHooks) {
+ files.push({
+ path: `mutations/${hook.fileName}`,
+ content: hook.content,
+ });
+ }
+
+ // 7. Generate custom mutation hooks if available
+ let customMutationHooks: Array<{ fileName: string; content: string; operationName: string }> = [];
+ if (customOperations && customOperations.mutations.length > 0) {
+ customMutationHooks = generateAllCustomMutationHooks({
+ operations: customOperations.mutations,
+ typeRegistry: customOperations.typeRegistry,
+ maxDepth,
+ skipQueryField,
+ });
+
+ for (const hook of customMutationHooks) {
+ files.push({
+ path: `mutations/${hook.fileName}`,
+ content: hook.content,
+ });
+ }
+ }
+
+ // 8. Generate mutations/index.ts barrel (includes both table and custom mutations)
+ files.push({
+ path: 'mutations/index.ts',
+ content: customMutationHooks.length > 0
+ ? generateCustomMutationsBarrel(tables, customMutationHooks.map((h) => h.operationName))
+ : generateMutationsBarrel(tables),
+ });
+
+ // 9. Generate main index.ts barrel
+ files.push({
+ path: 'index.ts',
+ content: generateMainBarrel(tables),
+ });
+
+ return {
+ files,
+ stats: {
+ tables: tables.length,
+ queryHooks: queryHooks.length,
+ mutationHooks: mutationHooks.length,
+ customQueryHooks: customQueryHooks.length,
+ customMutationHooks: customMutationHooks.length,
+ totalFiles: files.length,
+ },
+ };
+}
+
+// ============================================================================
+// Re-exports for convenience
+// ============================================================================
+
+export { generateClientFile } from './client';
+export { generateTypesFile } from './types';
+export { generateAllQueryHooks, generateListQueryHook, generateSingleQueryHook } from './queries';
+export {
+ generateAllMutationHooks,
+ generateCreateMutationHook,
+ generateUpdateMutationHook,
+ generateDeleteMutationHook,
+} from './mutations';
+export { generateAllCustomQueryHooks, generateCustomQueryHook } from './custom-queries';
+export { generateAllCustomMutationHooks, generateCustomMutationHook } from './custom-mutations';
+export {
+ generateQueriesBarrel,
+ generateMutationsBarrel,
+ generateMainBarrel,
+ generateCustomQueriesBarrel,
+ generateCustomMutationsBarrel,
+} from './barrel';
diff --git a/graphql/codegen/src/cli/codegen/mutations.ts b/graphql/codegen/src/cli/codegen/mutations.ts
new file mode 100644
index 000000000..24090e855
--- /dev/null
+++ b/graphql/codegen/src/cli/codegen/mutations.ts
@@ -0,0 +1,526 @@
+/**
+ * Mutation hook generators using AST-based code generation
+ *
+ * Output structure:
+ * mutations/
+ * useCreateCarMutation.ts
+ * useUpdateCarMutation.ts
+ * useDeleteCarMutation.ts
+ */
+import type { CleanTable } from '../../types/schema';
+import {
+ createProject,
+ createSourceFile,
+ getFormattedOutput,
+ createFileHeader,
+ createImport,
+ createInterface,
+ createConst,
+ type InterfaceProperty,
+} from './ts-ast';
+import {
+ buildCreateMutationAST,
+ buildUpdateMutationAST,
+ buildDeleteMutationAST,
+ printGraphQL,
+} from './gql-ast';
+import {
+ getTableNames,
+ getCreateMutationHookName,
+ getUpdateMutationHookName,
+ getDeleteMutationHookName,
+ getCreateMutationFileName,
+ getUpdateMutationFileName,
+ getDeleteMutationFileName,
+ getCreateMutationName,
+ getUpdateMutationName,
+ getDeleteMutationName,
+ getScalarFields,
+ fieldTypeToTs,
+ ucFirst,
+ lcFirst,
+} from './utils';
+
+export interface GeneratedMutationFile {
+ fileName: string;
+ content: string;
+}
+
+// ============================================================================
+// Create mutation hook generator
+// ============================================================================
+
+/**
+ * Generate create mutation hook file content using AST
+ */
+export function generateCreateMutationHook(table: CleanTable): GeneratedMutationFile {
+ const project = createProject();
+ const { typeName, singularName } = getTableNames(table);
+ const hookName = getCreateMutationHookName(table);
+ const mutationName = getCreateMutationName(table);
+ const scalarFields = getScalarFields(table);
+
+ // Generate GraphQL document via AST
+ const mutationAST = buildCreateMutationAST({ table });
+ const mutationDocument = printGraphQL(mutationAST);
+
+ const sourceFile = createSourceFile(project, getCreateMutationFileName(table));
+
+ // Add file header
+ sourceFile.insertText(0, createFileHeader(`Create mutation hook for ${typeName}`) + '\n\n');
+
+ // Add imports
+ sourceFile.addImportDeclarations([
+ createImport({
+ moduleSpecifier: '@tanstack/react-query',
+ namedImports: ['useMutation', 'useQueryClient'],
+ typeOnlyNamedImports: ['UseMutationOptions'],
+ }),
+ createImport({
+ moduleSpecifier: '../client',
+ namedImports: ['execute'],
+ }),
+ createImport({
+ moduleSpecifier: '../types',
+ typeOnlyNamedImports: [typeName],
+ }),
+ ]);
+
+ // Re-export entity type
+ sourceFile.addStatements(`\n// Re-export entity type for convenience\nexport type { ${typeName} };\n`);
+
+ // Add section comment
+ sourceFile.addStatements('\n// ============================================================================');
+ sourceFile.addStatements('// GraphQL Document');
+ sourceFile.addStatements('// ============================================================================\n');
+
+ // Add mutation document constant
+ sourceFile.addVariableStatement(
+ createConst(`${mutationName}MutationDocument`, '`\n' + mutationDocument + '`')
+ );
+
+ // Add section comment
+ sourceFile.addStatements('\n// ============================================================================');
+ sourceFile.addStatements('// Types');
+ sourceFile.addStatements('// ============================================================================\n');
+
+ // Generate CreateInput type - exclude auto-generated fields
+ const inputFields: InterfaceProperty[] = scalarFields
+ .filter((f) => {
+ const name = f.name.toLowerCase();
+ return !['id', 'createdat', 'updatedat', 'created_at', 'updated_at'].includes(name);
+ })
+ .map((f) => ({
+ name: f.name,
+ type: `${fieldTypeToTs(f.type)} | null`,
+ optional: true,
+ }));
+
+ sourceFile.addInterface(
+ createInterface(`${typeName}CreateInput`, inputFields, {
+ docs: [`Input type for creating a ${typeName}`],
+ })
+ );
+
+ // Variables interface
+ sourceFile.addInterface(
+ createInterface(`${ucFirst(mutationName)}MutationVariables`, [
+ {
+ name: 'input',
+ type: `{
+ ${lcFirst(typeName)}: ${typeName}CreateInput;
+ }`,
+ },
+ ])
+ );
+
+ // Result interface
+ sourceFile.addInterface(
+ createInterface(`${ucFirst(mutationName)}MutationResult`, [
+ {
+ name: mutationName,
+ type: `{
+ ${singularName}: ${typeName};
+ }`,
+ },
+ ])
+ );
+
+ // Add section comment
+ sourceFile.addStatements('\n// ============================================================================');
+ sourceFile.addStatements('// Hook');
+ sourceFile.addStatements('// ============================================================================\n');
+
+ // Hook function
+ sourceFile.addFunction({
+ name: hookName,
+ isExported: true,
+ parameters: [
+ {
+ name: 'options',
+ type: `Omit, 'mutationFn'>`,
+ hasQuestionToken: true,
+ },
+ ],
+ statements: `const queryClient = useQueryClient();
+
+ return useMutation({
+ mutationFn: (variables: ${ucFirst(mutationName)}MutationVariables) =>
+ execute<${ucFirst(mutationName)}MutationResult, ${ucFirst(mutationName)}MutationVariables>(
+ ${mutationName}MutationDocument,
+ variables
+ ),
+ onSuccess: () => {
+ // Invalidate list queries to refetch
+ queryClient.invalidateQueries({ queryKey: ['${typeName.toLowerCase()}', 'list'] });
+ },
+ ...options,
+ });`,
+ docs: [
+ {
+ description: `Mutation hook for creating a ${typeName}
+
+@example
+\`\`\`tsx
+const { mutate, isPending } = ${hookName}();
+
+mutate({
+ input: {
+ ${lcFirst(typeName)}: {
+ // ... fields
+ },
+ },
+});
+\`\`\``,
+ },
+ ],
+ });
+
+ return {
+ fileName: getCreateMutationFileName(table),
+ content: getFormattedOutput(sourceFile),
+ };
+}
+
+// ============================================================================
+// Update mutation hook generator
+// ============================================================================
+
+/**
+ * Generate update mutation hook file content using AST
+ */
+export function generateUpdateMutationHook(table: CleanTable): GeneratedMutationFile | null {
+ // Check if update mutation exists
+ if (table.query?.update === null) {
+ return null;
+ }
+
+ const project = createProject();
+ const { typeName, singularName } = getTableNames(table);
+ const hookName = getUpdateMutationHookName(table);
+ const mutationName = getUpdateMutationName(table);
+ const scalarFields = getScalarFields(table);
+
+ // Generate GraphQL document via AST
+ const mutationAST = buildUpdateMutationAST({ table });
+ const mutationDocument = printGraphQL(mutationAST);
+
+ const sourceFile = createSourceFile(project, getUpdateMutationFileName(table));
+
+ // Add file header
+ sourceFile.insertText(0, createFileHeader(`Update mutation hook for ${typeName}`) + '\n\n');
+
+ // Add imports
+ sourceFile.addImportDeclarations([
+ createImport({
+ moduleSpecifier: '@tanstack/react-query',
+ namedImports: ['useMutation', 'useQueryClient'],
+ typeOnlyNamedImports: ['UseMutationOptions'],
+ }),
+ createImport({
+ moduleSpecifier: '../client',
+ namedImports: ['execute'],
+ }),
+ createImport({
+ moduleSpecifier: '../types',
+ typeOnlyNamedImports: [typeName],
+ }),
+ ]);
+
+ // Re-export entity type
+ sourceFile.addStatements(`\n// Re-export entity type for convenience\nexport type { ${typeName} };\n`);
+
+ // Add section comment
+ sourceFile.addStatements('\n// ============================================================================');
+ sourceFile.addStatements('// GraphQL Document');
+ sourceFile.addStatements('// ============================================================================\n');
+
+ // Add mutation document constant
+ sourceFile.addVariableStatement(
+ createConst(`${mutationName}MutationDocument`, '`\n' + mutationDocument + '`')
+ );
+
+ // Add section comment
+ sourceFile.addStatements('\n// ============================================================================');
+ sourceFile.addStatements('// Types');
+ sourceFile.addStatements('// ============================================================================\n');
+
+ // Generate Patch type - all fields optional
+ const patchFields: InterfaceProperty[] = scalarFields
+ .filter((f) => f.name.toLowerCase() !== 'id')
+ .map((f) => ({
+ name: f.name,
+ type: `${fieldTypeToTs(f.type)} | null`,
+ optional: true,
+ }));
+
+ sourceFile.addInterface(
+ createInterface(`${typeName}Patch`, patchFields, {
+ docs: [`Patch type for updating a ${typeName} - all fields optional`],
+ })
+ );
+
+ // Variables interface
+ sourceFile.addInterface(
+ createInterface(`${ucFirst(mutationName)}MutationVariables`, [
+ {
+ name: 'input',
+ type: `{
+ id: string;
+ patch: ${typeName}Patch;
+ }`,
+ },
+ ])
+ );
+
+ // Result interface
+ sourceFile.addInterface(
+ createInterface(`${ucFirst(mutationName)}MutationResult`, [
+ {
+ name: mutationName,
+ type: `{
+ ${singularName}: ${typeName};
+ }`,
+ },
+ ])
+ );
+
+ // Add section comment
+ sourceFile.addStatements('\n// ============================================================================');
+ sourceFile.addStatements('// Hook');
+ sourceFile.addStatements('// ============================================================================\n');
+
+ // Hook function
+ sourceFile.addFunction({
+ name: hookName,
+ isExported: true,
+ parameters: [
+ {
+ name: 'options',
+ type: `Omit, 'mutationFn'>`,
+ hasQuestionToken: true,
+ },
+ ],
+ statements: `const queryClient = useQueryClient();
+
+ return useMutation({
+ mutationFn: (variables: ${ucFirst(mutationName)}MutationVariables) =>
+ execute<${ucFirst(mutationName)}MutationResult, ${ucFirst(mutationName)}MutationVariables>(
+ ${mutationName}MutationDocument,
+ variables
+ ),
+ onSuccess: (_, variables) => {
+ // Invalidate specific item and list queries
+ queryClient.invalidateQueries({ queryKey: ['${typeName.toLowerCase()}', 'detail', variables.input.id] });
+ queryClient.invalidateQueries({ queryKey: ['${typeName.toLowerCase()}', 'list'] });
+ },
+ ...options,
+ });`,
+ docs: [
+ {
+ description: `Mutation hook for updating a ${typeName}
+
+@example
+\`\`\`tsx
+const { mutate, isPending } = ${hookName}();
+
+mutate({
+ input: {
+ id: 'uuid-here',
+ patch: {
+ // ... fields to update
+ },
+ },
+});
+\`\`\``,
+ },
+ ],
+ });
+
+ return {
+ fileName: getUpdateMutationFileName(table),
+ content: getFormattedOutput(sourceFile),
+ };
+}
+
+// ============================================================================
+// Delete mutation hook generator
+// ============================================================================
+
+/**
+ * Generate delete mutation hook file content using AST
+ */
+export function generateDeleteMutationHook(table: CleanTable): GeneratedMutationFile | null {
+ // Check if delete mutation exists
+ if (table.query?.delete === null) {
+ return null;
+ }
+
+ const project = createProject();
+ const { typeName } = getTableNames(table);
+ const hookName = getDeleteMutationHookName(table);
+ const mutationName = getDeleteMutationName(table);
+
+ // Generate GraphQL document via AST
+ const mutationAST = buildDeleteMutationAST({ table });
+ const mutationDocument = printGraphQL(mutationAST);
+
+ const sourceFile = createSourceFile(project, getDeleteMutationFileName(table));
+
+ // Add file header
+ sourceFile.insertText(0, createFileHeader(`Delete mutation hook for ${typeName}`) + '\n\n');
+
+ // Add imports
+ sourceFile.addImportDeclarations([
+ createImport({
+ moduleSpecifier: '@tanstack/react-query',
+ namedImports: ['useMutation', 'useQueryClient'],
+ typeOnlyNamedImports: ['UseMutationOptions'],
+ }),
+ createImport({
+ moduleSpecifier: '../client',
+ namedImports: ['execute'],
+ }),
+ ]);
+
+ // Add section comment
+ sourceFile.addStatements('\n// ============================================================================');
+ sourceFile.addStatements('// GraphQL Document');
+ sourceFile.addStatements('// ============================================================================\n');
+
+ // Add mutation document constant
+ sourceFile.addVariableStatement(
+ createConst(`${mutationName}MutationDocument`, '`\n' + mutationDocument + '`')
+ );
+
+ // Add section comment
+ sourceFile.addStatements('\n// ============================================================================');
+ sourceFile.addStatements('// Types');
+ sourceFile.addStatements('// ============================================================================\n');
+
+ // Variables interface
+ sourceFile.addInterface(
+ createInterface(`${ucFirst(mutationName)}MutationVariables`, [
+ {
+ name: 'input',
+ type: `{
+ id: string;
+ }`,
+ },
+ ])
+ );
+
+ // Result interface
+ sourceFile.addInterface(
+ createInterface(`${ucFirst(mutationName)}MutationResult`, [
+ {
+ name: mutationName,
+ type: `{
+ clientMutationId: string | null;
+ deletedId: string | null;
+ }`,
+ },
+ ])
+ );
+
+ // Add section comment
+ sourceFile.addStatements('\n// ============================================================================');
+ sourceFile.addStatements('// Hook');
+ sourceFile.addStatements('// ============================================================================\n');
+
+ // Hook function
+ sourceFile.addFunction({
+ name: hookName,
+ isExported: true,
+ parameters: [
+ {
+ name: 'options',
+ type: `Omit, 'mutationFn'>`,
+ hasQuestionToken: true,
+ },
+ ],
+ statements: `const queryClient = useQueryClient();
+
+ return useMutation({
+ mutationFn: (variables: ${ucFirst(mutationName)}MutationVariables) =>
+ execute<${ucFirst(mutationName)}MutationResult, ${ucFirst(mutationName)}MutationVariables>(
+ ${mutationName}MutationDocument,
+ variables
+ ),
+ onSuccess: (_, variables) => {
+ // Remove from cache and invalidate list
+ queryClient.removeQueries({ queryKey: ['${typeName.toLowerCase()}', 'detail', variables.input.id] });
+ queryClient.invalidateQueries({ queryKey: ['${typeName.toLowerCase()}', 'list'] });
+ },
+ ...options,
+ });`,
+ docs: [
+ {
+ description: `Mutation hook for deleting a ${typeName}
+
+@example
+\`\`\`tsx
+const { mutate, isPending } = ${hookName}();
+
+mutate({
+ input: {
+ id: 'uuid-to-delete',
+ },
+});
+\`\`\``,
+ },
+ ],
+ });
+
+ return {
+ fileName: getDeleteMutationFileName(table),
+ content: getFormattedOutput(sourceFile),
+ };
+}
+
+// ============================================================================
+// Batch generator
+// ============================================================================
+
+/**
+ * Generate all mutation hook files for all tables
+ */
+export function generateAllMutationHooks(tables: CleanTable[]): GeneratedMutationFile[] {
+ const files: GeneratedMutationFile[] = [];
+
+ for (const table of tables) {
+ files.push(generateCreateMutationHook(table));
+
+ const updateHook = generateUpdateMutationHook(table);
+ if (updateHook) {
+ files.push(updateHook);
+ }
+
+ const deleteHook = generateDeleteMutationHook(table);
+ if (deleteHook) {
+ files.push(deleteHook);
+ }
+ }
+
+ return files;
+}
diff --git a/graphql/codegen/src/cli/codegen/orm/barrel.ts b/graphql/codegen/src/cli/codegen/orm/barrel.ts
new file mode 100644
index 000000000..1537a1542
--- /dev/null
+++ b/graphql/codegen/src/cli/codegen/orm/barrel.ts
@@ -0,0 +1,70 @@
+/**
+ * Barrel file generators for ORM client
+ *
+ * Generates index.ts files that re-export all models and operations.
+ */
+import type { CleanTable } from '../../../types/schema';
+import {
+ createProject,
+ createSourceFile,
+ getFormattedOutput,
+ createFileHeader,
+} from '../ts-ast';
+import { getTableNames, lcFirst } from '../utils';
+
+export interface GeneratedBarrelFile {
+ fileName: string;
+ content: string;
+}
+
+/**
+ * Generate the models/index.ts barrel file
+ */
+export function generateModelsBarrel(tables: CleanTable[]): GeneratedBarrelFile {
+ const project = createProject();
+ const sourceFile = createSourceFile(project, 'index.ts');
+
+ // Add file header
+ sourceFile.insertText(
+ 0,
+ createFileHeader('Models barrel export') + '\n\n'
+ );
+
+ // Export all model classes (Select types are now in input-types.ts)
+ for (const table of tables) {
+ const { typeName } = getTableNames(table);
+ const modelName = `${typeName}Model`;
+ const fileName = lcFirst(typeName);
+
+ sourceFile.addExportDeclaration({
+ moduleSpecifier: `./${fileName}`,
+ namedExports: [modelName],
+ });
+ }
+
+ return {
+ fileName: 'models/index.ts',
+ content: getFormattedOutput(sourceFile),
+ };
+}
+
+/**
+ * Generate the types.ts file that re-exports all types
+ */
+export function generateTypesBarrel(_useSharedTypes: boolean): GeneratedBarrelFile {
+ // Always re-export from input-types since that's where all types are generated
+ const content = `/**
+ * Types re-export
+ * @generated by @constructive-io/graphql-codegen
+ * DO NOT EDIT - changes will be overwritten
+ */
+
+// Re-export all types from input-types
+export * from './input-types';
+`;
+
+ return {
+ fileName: 'types.ts',
+ content,
+ };
+}
diff --git a/graphql/codegen/src/cli/codegen/orm/client-generator.ts b/graphql/codegen/src/cli/codegen/orm/client-generator.ts
new file mode 100644
index 000000000..564290df7
--- /dev/null
+++ b/graphql/codegen/src/cli/codegen/orm/client-generator.ts
@@ -0,0 +1,706 @@
+/**
+ * ORM Client generator
+ *
+ * Generates the createClient() factory function and main client file.
+ *
+ * Example output:
+ * ```typescript
+ * import { OrmClient, OrmClientConfig } from './client';
+ * import { UserModel } from './models/user';
+ * import { queryOperations } from './query';
+ * import { mutationOperations } from './mutation';
+ *
+ * export function createClient(config: OrmClientConfig) {
+ * const client = new OrmClient(config);
+ * return {
+ * user: new UserModel(client),
+ * post: new PostModel(client),
+ * query: queryOperations(client),
+ * mutation: mutationOperations(client),
+ * };
+ * }
+ * ```
+ */
+import type { CleanTable } from '../../../types/schema';
+import {
+ createProject,
+ createSourceFile,
+ getFormattedOutput,
+ createFileHeader,
+ createImport,
+} from '../ts-ast';
+import { getTableNames, lcFirst } from '../utils';
+
+export interface GeneratedClientFile {
+ fileName: string;
+ content: string;
+}
+
+/**
+ * Generate the main client.ts file (OrmClient class)
+ * This is the runtime client that handles GraphQL execution
+ */
+export function generateOrmClientFile(): GeneratedClientFile {
+ // This is runtime code that doesn't change based on schema
+ // We generate it as a static file
+ const content = `/**
+ * ORM Client - Runtime GraphQL executor
+ * @generated by @constructive-io/graphql-codegen
+ * DO NOT EDIT - changes will be overwritten
+ */
+
+export interface OrmClientConfig {
+ endpoint: string;
+ headers?: Record;
+}
+
+export interface GraphQLError {
+ message: string;
+ locations?: { line: number; column: number }[];
+ path?: (string | number)[];
+ extensions?: Record;
+}
+
+/**
+ * Error thrown when GraphQL request fails
+ */
+export class GraphQLRequestError extends Error {
+ constructor(
+ public readonly errors: GraphQLError[],
+ public readonly data: unknown = null
+ ) {
+ const messages = errors.map(e => e.message).join('; ');
+ super(\`GraphQL Error: \${messages}\`);
+ this.name = 'GraphQLRequestError';
+ }
+}
+
+/**
+ * Discriminated union for query results
+ * Use .ok to check success, or use .unwrap() to get data or throw
+ */
+export type QueryResult =
+ | { ok: true; data: T; errors: undefined }
+ | { ok: false; data: null; errors: GraphQLError[] };
+
+/**
+ * Legacy QueryResult type for backwards compatibility
+ * @deprecated Use QueryResult discriminated union instead
+ */
+export interface LegacyQueryResult {
+ data: T | null;
+ errors?: GraphQLError[];
+}
+
+export class OrmClient {
+ private endpoint: string;
+ private headers: Record;
+
+ constructor(config: OrmClientConfig) {
+ this.endpoint = config.endpoint;
+ this.headers = config.headers ?? {};
+ }
+
+ async execute(
+ document: string,
+ variables?: Record
+ ): Promise> {
+ const response = await fetch(this.endpoint, {
+ method: 'POST',
+ headers: {
+ 'Content-Type': 'application/json',
+ Accept: 'application/json',
+ ...this.headers,
+ },
+ body: JSON.stringify({
+ query: document,
+ variables: variables ?? {},
+ }),
+ });
+
+ if (!response.ok) {
+ return {
+ ok: false,
+ data: null,
+ errors: [{ message: \`HTTP \${response.status}: \${response.statusText}\` }],
+ };
+ }
+
+ const json = (await response.json()) as {
+ data?: T;
+ errors?: GraphQLError[];
+ };
+
+ // Return discriminated union based on presence of errors
+ if (json.errors && json.errors.length > 0) {
+ return {
+ ok: false,
+ data: null,
+ errors: json.errors,
+ };
+ }
+
+ return {
+ ok: true,
+ data: json.data as T,
+ errors: undefined,
+ };
+ }
+
+ setHeaders(headers: Record): void {
+ this.headers = { ...this.headers, ...headers };
+ }
+
+ getEndpoint(): string {
+ return this.endpoint;
+ }
+}
+`;
+
+ return {
+ fileName: 'client.ts',
+ content,
+ };
+}
+
+/**
+ * Generate the query-builder.ts file (runtime query builder)
+ */
+export function generateQueryBuilderFile(): GeneratedClientFile {
+ const content = `/**
+ * Query Builder - Builds and executes GraphQL operations
+ * @generated by @constructive-io/graphql-codegen
+ * DO NOT EDIT - changes will be overwritten
+ */
+
+import { OrmClient, QueryResult, GraphQLRequestError } from './client';
+
+export interface QueryBuilderConfig {
+ client: OrmClient;
+ operation: 'query' | 'mutation';
+ operationName: string;
+ fieldName: string;
+ document: string;
+ variables?: Record;
+}
+
+export class QueryBuilder {
+ private config: QueryBuilderConfig;
+
+ constructor(config: QueryBuilderConfig) {
+ this.config = config;
+ }
+
+ /**
+ * Execute the query and return a discriminated union result
+ * Use result.ok to check success, or .unwrap() to throw on error
+ */
+ async execute(): Promise> {
+ return this.config.client.execute(
+ this.config.document,
+ this.config.variables
+ );
+ }
+
+ /**
+ * Execute and unwrap the result, throwing GraphQLRequestError on failure
+ * @throws {GraphQLRequestError} If the query returns errors
+ */
+ async unwrap(): Promise {
+ const result = await this.execute();
+ if (!result.ok) {
+ throw new GraphQLRequestError(result.errors, result.data);
+ }
+ return result.data;
+ }
+
+ /**
+ * Execute and unwrap, returning defaultValue on error instead of throwing
+ */
+ async unwrapOr(defaultValue: D): Promise {
+ const result = await this.execute();
+ if (!result.ok) {
+ return defaultValue;
+ }
+ return result.data;
+ }
+
+ /**
+ * Execute and unwrap, calling onError callback on failure
+ */
+ async unwrapOrElse(onError: (errors: import('./client').GraphQLError[]) => D): Promise {
+ const result = await this.execute();
+ if (!result.ok) {
+ return onError(result.errors);
+ }
+ return result.data;
+ }
+
+ toGraphQL(): string {
+ return this.config.document;
+ }
+
+ getVariables(): Record | undefined {
+ return this.config.variables;
+ }
+}
+
+// ============================================================================
+// Document Builders
+// ============================================================================
+
+export function buildSelections(select: T): string {
+ if (!select) return '';
+
+ const fields: string[] = [];
+
+ for (const [key, value] of Object.entries(select)) {
+ if (value === false || value === undefined) continue;
+
+ if (value === true) {
+ fields.push(key);
+ continue;
+ }
+
+ if (typeof value === 'object' && value !== null) {
+ const nested = value as {
+ select?: Record;
+ first?: number;
+ filter?: Record;
+ orderBy?: string[];
+ // New: connection flag to differentiate connection types from regular objects
+ connection?: boolean;
+ };
+
+ if (nested.select) {
+ const nestedSelections = buildSelections(nested.select);
+
+ // Check if this is a connection type (has pagination args or explicit connection flag)
+ const isConnection = nested.connection === true || nested.first !== undefined || nested.filter !== undefined;
+
+ if (isConnection) {
+ // Connection type - wrap in nodes/totalCount/pageInfo
+ const args: string[] = [];
+ if (nested.first !== undefined) args.push(\`first: \${nested.first}\`);
+ if (nested.orderBy?.length) args.push(\`orderBy: [\${nested.orderBy.join(', ')}]\`);
+ const argsStr = args.length > 0 ? \`(\${args.join(', ')})\` : '';
+
+ fields.push(\`\${key}\${argsStr} {
+ nodes { \${nestedSelections} }
+ totalCount
+ pageInfo { hasNextPage hasPreviousPage startCursor endCursor }
+ }\`);
+ } else {
+ // Regular nested object - just wrap in braces
+ fields.push(\`\${key} { \${nestedSelections} }\`);
+ }
+ }
+ }
+ }
+
+ return fields.join('\\n ');
+}
+
+export function buildFindManyDocument(
+ operationName: string,
+ queryField: string,
+ select: TSelect,
+ args: {
+ where?: TWhere;
+ orderBy?: string[];
+ first?: number;
+ last?: number;
+ after?: string;
+ before?: string;
+ offset?: number;
+ },
+ filterTypeName: string
+): { document: string; variables: Record } {
+ const selections = select ? buildSelections(select) : 'id';
+
+ const varDefs: string[] = [];
+ const queryArgs: string[] = [];
+ const variables: Record = {};
+
+ if (args.where) {
+ varDefs.push(\`$where: \${filterTypeName}\`);
+ queryArgs.push('filter: $where');
+ variables.where = args.where;
+ }
+ if (args.orderBy?.length) {
+ varDefs.push(\`$orderBy: [\${operationName}sOrderBy!]\`);
+ queryArgs.push('orderBy: $orderBy');
+ variables.orderBy = args.orderBy;
+ }
+ if (args.first !== undefined) {
+ varDefs.push('$first: Int');
+ queryArgs.push('first: $first');
+ variables.first = args.first;
+ }
+ if (args.last !== undefined) {
+ varDefs.push('$last: Int');
+ queryArgs.push('last: $last');
+ variables.last = args.last;
+ }
+ if (args.after) {
+ varDefs.push('$after: Cursor');
+ queryArgs.push('after: $after');
+ variables.after = args.after;
+ }
+ if (args.before) {
+ varDefs.push('$before: Cursor');
+ queryArgs.push('before: $before');
+ variables.before = args.before;
+ }
+ if (args.offset !== undefined) {
+ varDefs.push('$offset: Int');
+ queryArgs.push('offset: $offset');
+ variables.offset = args.offset;
+ }
+
+ const varDefsStr = varDefs.length > 0 ? \`(\${varDefs.join(', ')})\` : '';
+ const queryArgsStr = queryArgs.length > 0 ? \`(\${queryArgs.join(', ')})\` : '';
+
+ const document = \`query \${operationName}Query\${varDefsStr} {
+ \${queryField}\${queryArgsStr} {
+ nodes { \${selections} }
+ totalCount
+ pageInfo { hasNextPage hasPreviousPage startCursor endCursor }
+ }
+}\`;
+
+ return { document, variables };
+}
+
+export function buildFindFirstDocument(
+ operationName: string,
+ queryField: string,
+ select: TSelect,
+ args: { where?: TWhere },
+ filterTypeName: string
+): { document: string; variables: Record } {
+ const selections = select ? buildSelections(select) : 'id';
+
+ const varDefs: string[] = ['$first: Int'];
+ const queryArgs: string[] = ['first: $first'];
+ const variables: Record = { first: 1 };
+
+ if (args.where) {
+ varDefs.push(\`$where: \${filterTypeName}\`);
+ queryArgs.push('filter: $where');
+ variables.where = args.where;
+ }
+
+ const document = \`query \${operationName}Query(\${varDefs.join(', ')}) {
+ \${queryField}(\${queryArgs.join(', ')}) {
+ nodes { \${selections} }
+ }
+}\`;
+
+ return { document, variables };
+}
+
+export function buildCreateDocument(
+ operationName: string,
+ mutationField: string,
+ entityField: string,
+ select: TSelect,
+ data: TData,
+ inputTypeName: string
+): { document: string; variables: Record } {
+ const selections = select ? buildSelections(select) : 'id';
+
+ const document = \`mutation \${operationName}Mutation($input: \${inputTypeName}!) {
+ \${mutationField}(input: $input) {
+ \${entityField} { \${selections} }
+ }
+}\`;
+
+ return {
+ document,
+ variables: { input: { [entityField]: data } },
+ };
+}
+
+export function buildUpdateDocument(
+ operationName: string,
+ mutationField: string,
+ entityField: string,
+ select: TSelect,
+ where: TWhere,
+ data: TData,
+ inputTypeName: string
+): { document: string; variables: Record } {
+ const selections = select ? buildSelections(select) : 'id';
+
+ const document = \`mutation \${operationName}Mutation($input: \${inputTypeName}!) {
+ \${mutationField}(input: $input) {
+ \${entityField} { \${selections} }
+ }
+}\`;
+
+ return {
+ document,
+ variables: { input: { id: where.id, patch: data } },
+ };
+}
+
+export function buildDeleteDocument(
+ operationName: string,
+ mutationField: string,
+ entityField: string,
+ where: TWhere,
+ inputTypeName: string
+): { document: string; variables: Record } {
+ const document = \`mutation \${operationName}Mutation($input: \${inputTypeName}!) {
+ \${mutationField}(input: $input) {
+ \${entityField} { id }
+ }
+}\`;
+
+ return {
+ document,
+ variables: { input: { id: where.id } },
+ };
+}
+
+export function buildCustomDocument(
+ operationType: 'query' | 'mutation',
+ operationName: string,
+ fieldName: string,
+ select: TSelect,
+ args: TArgs,
+ variableDefinitions: Array<{ name: string; type: string }>
+): { document: string; variables: Record } {
+ const selections = select ? buildSelections(select) : '';
+
+ const varDefs = variableDefinitions.map(v => \`$\${v.name}: \${v.type}\`);
+ const fieldArgs = variableDefinitions.map(v => \`\${v.name}: $\${v.name}\`);
+
+ const varDefsStr = varDefs.length > 0 ? \`(\${varDefs.join(', ')})\` : '';
+ const fieldArgsStr = fieldArgs.length > 0 ? \`(\${fieldArgs.join(', ')})\` : '';
+ const selectionsBlock = selections ? \` { \${selections} }\` : '';
+
+ const opType = operationType === 'query' ? 'query' : 'mutation';
+ const document = \`\${opType} \${operationName}\${varDefsStr} {
+ \${fieldName}\${fieldArgsStr}\${selectionsBlock}
+}\`;
+
+ return { document, variables: (args ?? {}) as Record };
+}
+`;
+
+ return {
+ fileName: 'query-builder.ts',
+ content,
+ };
+}
+
+/**
+ * Generate the select-types.ts file
+ */
+export function generateSelectTypesFile(): GeneratedClientFile {
+ const content = `/**
+ * Type utilities for select inference
+ * @generated by @constructive-io/graphql-codegen
+ * DO NOT EDIT - changes will be overwritten
+ */
+
+export interface ConnectionResult {
+ nodes: T[];
+ totalCount: number;
+ pageInfo: PageInfo;
+}
+
+export interface PageInfo {
+ hasNextPage: boolean;
+ hasPreviousPage: boolean;
+ startCursor?: string | null;
+ endCursor?: string | null;
+}
+
+export interface FindManyArgs {
+ select?: TSelect;
+ where?: TWhere;
+ orderBy?: TOrderBy[];
+ first?: number;
+ last?: number;
+ after?: string;
+ before?: string;
+ offset?: number;
+}
+
+export interface FindFirstArgs {
+ select?: TSelect;
+ where?: TWhere;
+}
+
+export interface CreateArgs {
+ data: TData;
+ select?: TSelect;
+}
+
+export interface UpdateArgs {
+ where: TWhere;
+ data: TData;
+ select?: TSelect;
+}
+
+export interface DeleteArgs {
+ where: TWhere;
+}
+
+/**
+ * Infer result type from select configuration
+ */
+export type InferSelectResult = TSelect extends undefined
+ ? TEntity
+ : {
+ [K in keyof TSelect as TSelect[K] extends false | undefined ? never : K]: TSelect[K] extends true
+ ? K extends keyof TEntity
+ ? TEntity[K]
+ : never
+ : TSelect[K] extends { select: infer NestedSelect }
+ ? K extends keyof TEntity
+ ? NonNullable extends ConnectionResult
+ ? ConnectionResult>
+ : InferSelectResult, NestedSelect> | (null extends TEntity[K] ? null : never)
+ : never
+ : K extends keyof TEntity
+ ? TEntity[K]
+ : never;
+ };
+`;
+
+ return {
+ fileName: 'select-types.ts',
+ content,
+ };
+}
+
+/**
+ * Generate the main index.ts with createClient factory
+ */
+export function generateCreateClientFile(
+ tables: CleanTable[],
+ hasCustomQueries: boolean,
+ hasCustomMutations: boolean
+): GeneratedClientFile {
+ const project = createProject();
+ const sourceFile = createSourceFile(project, 'index.ts');
+
+ // Add file header
+ sourceFile.insertText(
+ 0,
+ createFileHeader('ORM Client - createClient factory') + '\n\n'
+ );
+
+ // Add imports
+ const imports = [
+ createImport({
+ moduleSpecifier: './client',
+ namedImports: ['OrmClient'],
+ typeOnlyNamedImports: ['OrmClientConfig'],
+ }),
+ ];
+
+ // Import models
+ for (const table of tables) {
+ const { typeName } = getTableNames(table);
+ const modelName = `${typeName}Model`;
+ const fileName = lcFirst(typeName);
+ imports.push(
+ createImport({
+ moduleSpecifier: `./models/${fileName}`,
+ namedImports: [modelName],
+ })
+ );
+ }
+
+ // Import custom operations
+ if (hasCustomQueries) {
+ imports.push(
+ createImport({
+ moduleSpecifier: './query',
+ namedImports: ['createQueryOperations'],
+ })
+ );
+ }
+ if (hasCustomMutations) {
+ imports.push(
+ createImport({
+ moduleSpecifier: './mutation',
+ namedImports: ['createMutationOperations'],
+ })
+ );
+ }
+
+ sourceFile.addImportDeclarations(imports);
+
+ // Re-export types and classes
+ sourceFile.addStatements('\n// Re-export types and classes');
+ sourceFile.addStatements("export type { OrmClientConfig, QueryResult, GraphQLError } from './client';");
+ sourceFile.addStatements("export { GraphQLRequestError } from './client';");
+ sourceFile.addStatements("export { QueryBuilder } from './query-builder';");
+ sourceFile.addStatements("export * from './select-types';");
+
+ // Generate createClient function
+ sourceFile.addStatements('\n// ============================================================================');
+ sourceFile.addStatements('// Client Factory');
+ sourceFile.addStatements('// ============================================================================\n');
+
+ // Build the return object
+ const modelEntries = tables.map((table) => {
+ const { typeName, singularName } = getTableNames(table);
+ return `${singularName}: new ${typeName}Model(client)`;
+ });
+
+ let returnObject = modelEntries.join(',\n ');
+ if (hasCustomQueries) {
+ returnObject += ',\n query: createQueryOperations(client)';
+ }
+ if (hasCustomMutations) {
+ returnObject += ',\n mutation: createMutationOperations(client)';
+ }
+
+ sourceFile.addFunction({
+ name: 'createClient',
+ isExported: true,
+ parameters: [{ name: 'config', type: 'OrmClientConfig' }],
+ statements: `const client = new OrmClient(config);
+
+ return {
+ ${returnObject},
+ };`,
+ docs: [
+ {
+ description: `Create an ORM client instance
+
+@example
+\`\`\`typescript
+const db = createClient({
+ endpoint: 'https://api.example.com/graphql',
+ headers: { Authorization: 'Bearer token' },
+});
+
+// Query users
+const users = await db.user.findMany({
+ select: { id: true, name: true },
+ first: 10,
+}).execute();
+
+// Create a user
+const newUser = await db.user.create({
+ data: { name: 'John', email: 'john@example.com' },
+ select: { id: true },
+}).execute();
+\`\`\``,
+ },
+ ],
+ });
+
+ return {
+ fileName: 'index.ts',
+ content: getFormattedOutput(sourceFile),
+ };
+}
diff --git a/graphql/codegen/src/cli/codegen/orm/custom-ops-generator.ts b/graphql/codegen/src/cli/codegen/orm/custom-ops-generator.ts
new file mode 100644
index 000000000..23804712a
--- /dev/null
+++ b/graphql/codegen/src/cli/codegen/orm/custom-ops-generator.ts
@@ -0,0 +1,418 @@
+/**
+ * Custom operations generator for ORM client
+ *
+ * Generates db.query.* and db.mutation.* namespaces for non-table operations
+ * like login, register, currentUser, etc.
+ *
+ * Example output:
+ * ```typescript
+ * // query/index.ts
+ * export function createQueryOperations(client: OrmClient) {
+ * return {
+ * currentUser: (args?: { select?: CurrentUserSelect }) =>
+ * new QueryBuilder({ ... }),
+ * };
+ * }
+ * ```
+ */
+import type { CleanOperation, CleanArgument } from '../../../types/schema';
+import {
+ createProject,
+ createSourceFile,
+ getFormattedOutput,
+ createFileHeader,
+ createImport,
+} from '../ts-ast';
+import { ucFirst } from '../utils';
+import { typeRefToTsType, isTypeRequired, getTypeBaseName } from '../type-resolver';
+import { SCALAR_NAMES } from '../scalars';
+
+export interface GeneratedCustomOpsFile {
+ fileName: string;
+ content: string;
+}
+
+/**
+ * Collect all input type names used by operations
+ */
+function collectInputTypeNamesFromOps(operations: CleanOperation[]): string[] {
+ const inputTypes = new Set();
+
+ for (const op of operations) {
+ for (const arg of op.args) {
+ const baseName = getTypeBaseName(arg.type);
+ if (baseName && (baseName.endsWith('Input') || baseName.endsWith('Filter'))) {
+ inputTypes.add(baseName);
+ }
+ }
+ }
+
+ return Array.from(inputTypes);
+}
+
+// Types that don't need Select types
+const NON_SELECT_TYPES = new Set([...SCALAR_NAMES, 'Query', 'Mutation']);
+
+/**
+ * Collect all payload/return type names from operations (for Select types)
+ * Filters out scalar types
+ */
+function collectPayloadTypeNamesFromOps(operations: CleanOperation[]): string[] {
+ const payloadTypes = new Set();
+
+ for (const op of operations) {
+ const baseName = getTypeBaseName(op.returnType);
+ if (baseName &&
+ !baseName.endsWith('Connection') &&
+ baseName !== 'Query' &&
+ baseName !== 'Mutation' &&
+ !NON_SELECT_TYPES.has(baseName)) {
+ payloadTypes.add(baseName);
+ }
+ }
+
+ return Array.from(payloadTypes);
+}
+
+/**
+ * Get the Select type name for a return type
+ * Returns null for scalar types, Connection types (no select needed)
+ */
+function getSelectTypeName(returnType: CleanArgument['type']): string | null {
+ const baseName = getTypeBaseName(returnType);
+ if (baseName &&
+ !NON_SELECT_TYPES.has(baseName) &&
+ baseName !== 'Query' &&
+ baseName !== 'Mutation' &&
+ !baseName.endsWith('Connection')) {
+ return `${baseName}Select`;
+ }
+ return null;
+}
+
+/**
+ * Generate the query/index.ts file for custom query operations
+ */
+export function generateCustomQueryOpsFile(
+ operations: CleanOperation[]
+): GeneratedCustomOpsFile {
+ const project = createProject();
+ const sourceFile = createSourceFile(project, 'index.ts');
+
+ // Collect all input type names and payload type names
+ const inputTypeNames = collectInputTypeNamesFromOps(operations);
+ const payloadTypeNames = collectPayloadTypeNamesFromOps(operations);
+
+ // Generate Select type names for payloads
+ const selectTypeNames = payloadTypeNames.map((p) => `${p}Select`);
+
+ // Combine all type imports
+ const allTypeImports = [...new Set([...inputTypeNames, ...payloadTypeNames, ...selectTypeNames])];
+
+ // Add file header
+ sourceFile.insertText(
+ 0,
+ createFileHeader('Custom query operations') + '\n\n'
+ );
+
+ // Add imports
+ sourceFile.addImportDeclarations([
+ createImport({
+ moduleSpecifier: '../client',
+ namedImports: ['OrmClient'],
+ }),
+ createImport({
+ moduleSpecifier: '../query-builder',
+ namedImports: ['QueryBuilder', 'buildCustomDocument'],
+ }),
+ createImport({
+ moduleSpecifier: '../select-types',
+ typeOnlyNamedImports: ['InferSelectResult'],
+ }),
+ ]);
+
+ // Import types from input-types if we have any
+ if (allTypeImports.length > 0) {
+ sourceFile.addImportDeclarations([
+ createImport({
+ moduleSpecifier: '../input-types',
+ typeOnlyNamedImports: allTypeImports,
+ }),
+ ]);
+ }
+
+ // Generate variable definitions type for each operation
+ sourceFile.addStatements('\n// ============================================================================');
+ sourceFile.addStatements('// Variable Types');
+ sourceFile.addStatements('// ============================================================================\n');
+
+ for (const op of operations) {
+ if (op.args.length > 0) {
+ const varTypeName = `${ucFirst(op.name)}Variables`;
+ const props = op.args.map((arg) => {
+ const optional = !isTypeRequired(arg.type);
+ return `${arg.name}${optional ? '?' : ''}: ${typeRefToTsType(arg.type)};`;
+ });
+ sourceFile.addStatements(`export interface ${varTypeName} {\n ${props.join('\n ')}\n}\n`);
+ }
+ }
+
+ // Generate factory function
+ sourceFile.addStatements('\n// ============================================================================');
+ sourceFile.addStatements('// Query Operations Factory');
+ sourceFile.addStatements('// ============================================================================\n');
+
+ // Build the operations object
+ const operationMethods = operations.map((op) => {
+ const hasArgs = op.args.length > 0;
+ const varTypeName = `${ucFirst(op.name)}Variables`;
+ const varDefs = op.args.map((arg) => ({
+ name: arg.name,
+ type: formatGraphQLType(arg.type),
+ }));
+ const varDefsJson = JSON.stringify(varDefs);
+
+ // Get Select type for return type
+ const selectTypeName = getSelectTypeName(op.returnType);
+ const payloadTypeName = getTypeBaseName(op.returnType);
+
+ // Use typed select if available, otherwise fall back to Record
+ const selectType = selectTypeName ?? 'Record';
+ const returnTypePart = selectTypeName && payloadTypeName
+ ? `{ ${op.name}: InferSelectResult<${payloadTypeName}, S> }`
+ : 'unknown';
+
+ if (hasArgs) {
+ if (selectTypeName) {
+ return `${op.name}: (args: ${varTypeName}, options?: { select?: S }) =>
+ new QueryBuilder<${returnTypePart}>({
+ client,
+ operation: 'query',
+ operationName: '${ucFirst(op.name)}',
+ fieldName: '${op.name}',
+ ...buildCustomDocument('query', '${ucFirst(op.name)}', '${op.name}', options?.select, args, ${varDefsJson}),
+ })`;
+ } else {
+ return `${op.name}: (args: ${varTypeName}, options?: { select?: Record }) =>
+ new QueryBuilder({
+ client,
+ operation: 'query',
+ operationName: '${ucFirst(op.name)}',
+ fieldName: '${op.name}',
+ ...buildCustomDocument('query', '${ucFirst(op.name)}', '${op.name}', options?.select, args, ${varDefsJson}),
+ })`;
+ }
+ } else {
+ // No args - still provide typed select
+ if (selectTypeName) {
+ return `${op.name}: (options?: { select?: S }) =>
+ new QueryBuilder<${returnTypePart}>({
+ client,
+ operation: 'query',
+ operationName: '${ucFirst(op.name)}',
+ fieldName: '${op.name}',
+ ...buildCustomDocument('query', '${ucFirst(op.name)}', '${op.name}', options?.select, undefined, []),
+ })`;
+ } else {
+ return `${op.name}: (options?: { select?: Record }) =>
+ new QueryBuilder({
+ client,
+ operation: 'query',
+ operationName: '${ucFirst(op.name)}',
+ fieldName: '${op.name}',
+ ...buildCustomDocument('query', '${ucFirst(op.name)}', '${op.name}', options?.select, undefined, []),
+ })`;
+ }
+ }
+ });
+
+ sourceFile.addFunction({
+ name: 'createQueryOperations',
+ isExported: true,
+ parameters: [{ name: 'client', type: 'OrmClient' }],
+ statements: `return {
+ ${operationMethods.join(',\n ')},
+ };`,
+ });
+
+ return {
+ fileName: 'query/index.ts',
+ content: getFormattedOutput(sourceFile),
+ };
+}
+
+/**
+ * Generate the mutation/index.ts file for custom mutation operations
+ */
+export function generateCustomMutationOpsFile(
+ operations: CleanOperation[]
+): GeneratedCustomOpsFile {
+ const project = createProject();
+ const sourceFile = createSourceFile(project, 'index.ts');
+
+ // Collect all input type names and payload type names
+ const inputTypeNames = collectInputTypeNamesFromOps(operations);
+ const payloadTypeNames = collectPayloadTypeNamesFromOps(operations);
+
+ // Generate Select type names for payloads
+ const selectTypeNames = payloadTypeNames.map((p) => `${p}Select`);
+
+ // Combine all type imports
+ const allTypeImports = [...new Set([...inputTypeNames, ...payloadTypeNames, ...selectTypeNames])];
+
+ // Add file header
+ sourceFile.insertText(
+ 0,
+ createFileHeader('Custom mutation operations') + '\n\n'
+ );
+
+ // Add imports
+ sourceFile.addImportDeclarations([
+ createImport({
+ moduleSpecifier: '../client',
+ namedImports: ['OrmClient'],
+ }),
+ createImport({
+ moduleSpecifier: '../query-builder',
+ namedImports: ['QueryBuilder', 'buildCustomDocument'],
+ }),
+ createImport({
+ moduleSpecifier: '../select-types',
+ typeOnlyNamedImports: ['InferSelectResult'],
+ }),
+ ]);
+
+ // Import types from input-types if we have any
+ if (allTypeImports.length > 0) {
+ sourceFile.addImportDeclarations([
+ createImport({
+ moduleSpecifier: '../input-types',
+ typeOnlyNamedImports: allTypeImports,
+ }),
+ ]);
+ }
+
+ // Generate variable definitions type for each operation
+ sourceFile.addStatements('\n// ============================================================================');
+ sourceFile.addStatements('// Variable Types');
+ sourceFile.addStatements('// ============================================================================\n');
+
+ for (const op of operations) {
+ if (op.args.length > 0) {
+ const varTypeName = `${ucFirst(op.name)}Variables`;
+ const props = op.args.map((arg) => {
+ const optional = !isTypeRequired(arg.type);
+ return `${arg.name}${optional ? '?' : ''}: ${typeRefToTsType(arg.type)};`;
+ });
+ sourceFile.addStatements(`export interface ${varTypeName} {\n ${props.join('\n ')}\n}\n`);
+ }
+ }
+
+ // Generate factory function
+ sourceFile.addStatements('\n// ============================================================================');
+ sourceFile.addStatements('// Mutation Operations Factory');
+ sourceFile.addStatements('// ============================================================================\n');
+
+ // Build the operations object
+ const operationMethods = operations.map((op) => {
+ const hasArgs = op.args.length > 0;
+ const varTypeName = `${ucFirst(op.name)}Variables`;
+ const varDefs = op.args.map((arg) => ({
+ name: arg.name,
+ type: formatGraphQLType(arg.type),
+ }));
+ const varDefsJson = JSON.stringify(varDefs);
+
+ // Get Select type for return type
+ const selectTypeName = getSelectTypeName(op.returnType);
+ const payloadTypeName = getTypeBaseName(op.returnType);
+
+ // Use typed select if available, otherwise fall back to Record
+ const selectType = selectTypeName ?? 'Record';
+ const returnTypePart = selectTypeName && payloadTypeName
+ ? `{ ${op.name}: InferSelectResult<${payloadTypeName}, S> }`
+ : 'unknown';
+
+ if (hasArgs) {
+ if (selectTypeName) {
+ return `${op.name}: (args: ${varTypeName}, options?: { select?: S }) =>
+ new QueryBuilder<${returnTypePart}>({
+ client,
+ operation: 'mutation',
+ operationName: '${ucFirst(op.name)}',
+ fieldName: '${op.name}',
+ ...buildCustomDocument('mutation', '${ucFirst(op.name)}', '${op.name}', options?.select, args, ${varDefsJson}),
+ })`;
+ } else {
+ return `${op.name}: (args: ${varTypeName}, options?: { select?: Record }) =>
+ new QueryBuilder({
+ client,
+ operation: 'mutation',
+ operationName: '${ucFirst(op.name)}',
+ fieldName: '${op.name}',
+ ...buildCustomDocument('mutation', '${ucFirst(op.name)}', '${op.name}', options?.select, args, ${varDefsJson}),
+ })`;
+ }
+ } else {
+ // No args - still provide typed select
+ if (selectTypeName) {
+ return `${op.name}: (options?: { select?: S }) =>
+ new QueryBuilder<${returnTypePart}>({
+ client,
+ operation: 'mutation',
+ operationName: '${ucFirst(op.name)}',
+ fieldName: '${op.name}',
+ ...buildCustomDocument('mutation', '${ucFirst(op.name)}', '${op.name}', options?.select, undefined, []),
+ })`;
+ } else {
+ return `${op.name}: (options?: { select?: Record }) =>
+ new QueryBuilder({
+ client,
+ operation: 'mutation',
+ operationName: '${ucFirst(op.name)}',
+ fieldName: '${op.name}',
+ ...buildCustomDocument('mutation', '${ucFirst(op.name)}', '${op.name}', options?.select, undefined, []),
+ })`;
+ }
+ }
+ });
+
+ sourceFile.addFunction({
+ name: 'createMutationOperations',
+ isExported: true,
+ parameters: [{ name: 'client', type: 'OrmClient' }],
+ statements: `return {
+ ${operationMethods.join(',\n ')},
+ };`,
+ });
+
+ return {
+ fileName: 'mutation/index.ts',
+ content: getFormattedOutput(sourceFile),
+ };
+}
+
+/**
+ * Format a CleanTypeRef to GraphQL type string
+ */
+function formatGraphQLType(typeRef: CleanArgument['type']): string {
+ let result = '';
+
+ if (typeRef.kind === 'NON_NULL') {
+ if (typeRef.ofType) {
+ result = formatGraphQLType(typeRef.ofType as CleanArgument['type']) + '!';
+ } else {
+ result = (typeRef.name ?? 'String') + '!';
+ }
+ } else if (typeRef.kind === 'LIST') {
+ if (typeRef.ofType) {
+ result = `[${formatGraphQLType(typeRef.ofType as CleanArgument['type'])}]`;
+ } else {
+ result = '[String]';
+ }
+ } else {
+ result = typeRef.name ?? 'String';
+ }
+
+ return result;
+}
diff --git a/graphql/codegen/src/cli/codegen/orm/index.ts b/graphql/codegen/src/cli/codegen/orm/index.ts
new file mode 100644
index 000000000..729fba67c
--- /dev/null
+++ b/graphql/codegen/src/cli/codegen/orm/index.ts
@@ -0,0 +1,135 @@
+/**
+ * ORM Generator Orchestrator
+ *
+ * Main entry point for ORM code generation. Coordinates all generators
+ * and produces the complete ORM client output.
+ */
+import type { CleanTable, CleanOperation, TypeRegistry } from '../../../types/schema';
+import type { ResolvedConfig } from '../../../types/config';
+import {
+ generateOrmClientFile,
+ generateQueryBuilderFile,
+ generateSelectTypesFile,
+ generateCreateClientFile,
+} from './client-generator';
+import { generateAllModelFiles } from './model-generator';
+import {
+ generateCustomQueryOpsFile,
+ generateCustomMutationOpsFile,
+} from './custom-ops-generator';
+import { generateModelsBarrel, generateTypesBarrel } from './barrel';
+import { generateInputTypesFile, collectInputTypeNames, collectPayloadTypeNames } from './input-types-generator';
+
+export interface GeneratedFile {
+ path: string;
+ content: string;
+}
+
+export interface GenerateOrmOptions {
+ tables: CleanTable[];
+ customOperations?: {
+ queries: CleanOperation[];
+ mutations: CleanOperation[];
+ typeRegistry?: TypeRegistry;
+ };
+ config: ResolvedConfig;
+}
+
+export interface GenerateOrmResult {
+ files: GeneratedFile[];
+ stats: {
+ tables: number;
+ customQueries: number;
+ customMutations: number;
+ totalFiles: number;
+ };
+}
+
+/**
+ * Generate all ORM client files
+ */
+export function generateOrm(options: GenerateOrmOptions): GenerateOrmResult {
+ const { tables, customOperations, config } = options;
+ const files: GeneratedFile[] = [];
+
+ const useSharedTypes = config.orm?.useSharedTypes ?? true;
+ const hasCustomQueries = (customOperations?.queries.length ?? 0) > 0;
+ const hasCustomMutations = (customOperations?.mutations.length ?? 0) > 0;
+ const typeRegistry = customOperations?.typeRegistry;
+
+ // 1. Generate runtime files (client, query-builder, select-types)
+ const clientFile = generateOrmClientFile();
+ files.push({ path: clientFile.fileName, content: clientFile.content });
+
+ const queryBuilderFile = generateQueryBuilderFile();
+ files.push({ path: queryBuilderFile.fileName, content: queryBuilderFile.content });
+
+ const selectTypesFile = generateSelectTypesFile();
+ files.push({ path: selectTypesFile.fileName, content: selectTypesFile.content });
+
+ // 2. Generate model files
+ const modelFiles = generateAllModelFiles(tables, useSharedTypes);
+ for (const modelFile of modelFiles) {
+ files.push({
+ path: `models/${modelFile.fileName}`,
+ content: modelFile.content,
+ });
+ }
+
+ // 3. Generate models barrel
+ const modelsBarrel = generateModelsBarrel(tables);
+ files.push({ path: modelsBarrel.fileName, content: modelsBarrel.content });
+
+ // 4. Generate comprehensive input types (entities, filters, orderBy, CRUD inputs, custom inputs, payload types)
+ // Always generate if we have tables or custom operations
+ if (tables.length > 0 || (typeRegistry && (hasCustomQueries || hasCustomMutations))) {
+ const allOps = [
+ ...(customOperations?.queries ?? []),
+ ...(customOperations?.mutations ?? []),
+ ];
+ const usedInputTypes = collectInputTypeNames(allOps);
+ const usedPayloadTypes = collectPayloadTypeNames(allOps);
+ const inputTypesFile = generateInputTypesFile(
+ typeRegistry ?? new Map(),
+ usedInputTypes,
+ tables,
+ usedPayloadTypes
+ );
+ files.push({ path: inputTypesFile.fileName, content: inputTypesFile.content });
+ }
+
+ // 5. Generate custom operations (if any)
+ if (hasCustomQueries && customOperations?.queries) {
+ const queryOpsFile = generateCustomQueryOpsFile(customOperations.queries);
+ files.push({ path: queryOpsFile.fileName, content: queryOpsFile.content });
+ }
+
+ if (hasCustomMutations && customOperations?.mutations) {
+ const mutationOpsFile = generateCustomMutationOpsFile(customOperations.mutations);
+ files.push({ path: mutationOpsFile.fileName, content: mutationOpsFile.content });
+ }
+
+ // 6. Generate types barrel
+ const typesBarrel = generateTypesBarrel(useSharedTypes);
+ files.push({ path: typesBarrel.fileName, content: typesBarrel.content });
+
+ // 7. Generate main index.ts with createClient
+ const indexFile = generateCreateClientFile(tables, hasCustomQueries, hasCustomMutations);
+ files.push({ path: indexFile.fileName, content: indexFile.content });
+
+ return {
+ files,
+ stats: {
+ tables: tables.length,
+ customQueries: customOperations?.queries.length ?? 0,
+ customMutations: customOperations?.mutations.length ?? 0,
+ totalFiles: files.length,
+ },
+ };
+}
+
+// Re-export generators for direct use
+export { generateOrmClientFile, generateQueryBuilderFile, generateSelectTypesFile } from './client-generator';
+export { generateModelFile, generateAllModelFiles } from './model-generator';
+export { generateCustomQueryOpsFile, generateCustomMutationOpsFile } from './custom-ops-generator';
+export { generateModelsBarrel, generateTypesBarrel } from './barrel';
diff --git a/graphql/codegen/src/cli/codegen/orm/input-types-generator.test.ts b/graphql/codegen/src/cli/codegen/orm/input-types-generator.test.ts
new file mode 100644
index 000000000..5e6e0dbae
--- /dev/null
+++ b/graphql/codegen/src/cli/codegen/orm/input-types-generator.test.ts
@@ -0,0 +1,81 @@
+// Jest globals - no import needed
+
+import { generateInputTypesFile } from './input-types-generator';
+import type { CleanTable, CleanFieldType } from '../../../types/schema';
+
+const uuidType: CleanFieldType = { gqlType: 'UUID', isArray: false };
+const stringType: CleanFieldType = { gqlType: 'String', isArray: false };
+
+function createTable(table: Partial & Pick): CleanTable {
+ return {
+ name: table.name,
+ fields: table.fields ?? [],
+ relations: table.relations ?? {
+ belongsTo: [],
+ hasOne: [],
+ hasMany: [],
+ manyToMany: [],
+ },
+ query: table.query,
+ inflection: table.inflection,
+ constraints: table.constraints,
+ };
+}
+
+describe('input-types-generator', () => {
+ it('emits relation helpers and select types with related names', () => {
+ const userTable = createTable({
+ name: 'User',
+ fields: [
+ { name: 'id', type: uuidType },
+ { name: 'name', type: stringType },
+ ],
+ relations: {
+ belongsTo: [],
+ hasOne: [],
+ hasMany: [
+ {
+ fieldName: 'posts',
+ isUnique: false,
+ referencedByTable: 'Post',
+ type: null,
+ keys: [],
+ },
+ ],
+ manyToMany: [],
+ },
+ });
+
+ const postTable = createTable({
+ name: 'Post',
+ fields: [
+ { name: 'id', type: uuidType },
+ { name: 'title', type: stringType },
+ ],
+ relations: {
+ belongsTo: [
+ {
+ fieldName: 'author',
+ isUnique: false,
+ referencesTable: 'User',
+ type: null,
+ keys: [],
+ },
+ ],
+ hasOne: [],
+ hasMany: [],
+ manyToMany: [],
+ },
+ });
+
+ const result = generateInputTypesFile(new Map(), new Set(), [userTable, postTable]);
+
+ expect(result.content).toContain('export interface ConnectionResult');
+ expect(result.content).toContain('export interface UserRelations');
+ expect(result.content).toContain('posts?: ConnectionResult');
+ expect(result.content).toContain('export type UserWithRelations = User & UserRelations;');
+ expect(result.content).toContain('posts?: boolean | {');
+ expect(result.content).toContain('orderBy?: PostsOrderBy[];');
+ expect(result.content).toContain('author?: boolean | { select?: UserSelect };');
+ });
+});
diff --git a/graphql/codegen/src/cli/codegen/orm/input-types-generator.ts b/graphql/codegen/src/cli/codegen/orm/input-types-generator.ts
new file mode 100644
index 000000000..57d24afb6
--- /dev/null
+++ b/graphql/codegen/src/cli/codegen/orm/input-types-generator.ts
@@ -0,0 +1,965 @@
+/**
+ * Input types generator for ORM client (AST-based)
+ *
+ * Generates TypeScript interfaces for:
+ * 1. Scalar filter types (StringFilter, IntFilter, UUIDFilter, etc.)
+ * 2. Entity interfaces (User, Order, etc.)
+ * 3. Table filter types (UserFilter, OrderFilter, etc.)
+ * 4. OrderBy enums (UsersOrderBy, OrdersOrderBy, etc.)
+ * 5. Input types (LoginInput, CreateUserInput, etc.)
+ *
+ * Uses ts-morph for robust AST-based code generation.
+ */
+import type { SourceFile } from 'ts-morph';
+import type { TypeRegistry, CleanArgument, CleanTable } from '../../../types/schema';
+import {
+ createProject,
+ createSourceFile,
+ getMinimalFormattedOutput,
+ createFileHeader,
+ createInterface,
+ createTypeAlias,
+ addSectionComment,
+ type InterfaceProperty,
+} from '../ts-ast';
+import {
+ getTableNames,
+ getFilterTypeName,
+ getOrderByTypeName,
+ isRelationField,
+} from '../utils';
+import { getTypeBaseName } from '../type-resolver';
+import { scalarToTsType, scalarToFilterType } from '../scalars';
+
+export interface GeneratedInputTypesFile {
+ fileName: string;
+ content: string;
+}
+
+// ============================================================================
+// Constants
+// ============================================================================
+
+/** Fields excluded from Create/Update inputs (auto-generated or system fields) */
+const EXCLUDED_MUTATION_FIELDS = ['id', 'createdAt', 'updatedAt', 'nodeId'] as const;
+
+// ============================================================================
+// Type Conversion Utilities
+// ============================================================================
+
+/**
+ * Overrides for input-type generation
+ */
+const INPUT_SCALAR_OVERRIDES: Record = {
+ JSON: 'Record',
+};
+
+/**
+ * Convert GraphQL scalar to TypeScript type
+ */
+function scalarToInputTs(scalar: string): string {
+ return scalarToTsType(scalar, {
+ unknownScalar: 'name',
+ overrides: INPUT_SCALAR_OVERRIDES,
+ });
+}
+
+/**
+ * Convert a CleanTypeRef to TypeScript type string
+ */
+function typeRefToTs(typeRef: CleanArgument['type']): string {
+ if (typeRef.kind === 'NON_NULL') {
+ if (typeRef.ofType) {
+ return typeRefToTs(typeRef.ofType as CleanArgument['type']);
+ }
+ return typeRef.name ?? 'unknown';
+ }
+
+ if (typeRef.kind === 'LIST') {
+ if (typeRef.ofType) {
+ return `${typeRefToTs(typeRef.ofType as CleanArgument['type'])}[]`;
+ }
+ return 'unknown[]';
+ }
+
+ // Scalar or named type
+ const name = typeRef.name ?? 'unknown';
+ return scalarToInputTs(name);
+}
+
+/**
+ * Check if a type is required (NON_NULL)
+ */
+function isRequired(typeRef: CleanArgument['type']): boolean {
+ return typeRef.kind === 'NON_NULL';
+}
+
+// ============================================================================
+// Scalar Filter Types Generator (AST-based)
+// ============================================================================
+
+/** Filter operator sets for different scalar types */
+type FilterOperators = 'equality' | 'distinct' | 'inArray' | 'comparison' | 'string' | 'json' | 'inet' | 'fulltext';
+
+interface ScalarFilterConfig {
+ name: string;
+ tsType: string;
+ operators: FilterOperators[];
+}
+
+/** Configuration for all scalar filter types - matches PostGraphile's generated filters */
+const SCALAR_FILTER_CONFIGS: ScalarFilterConfig[] = [
+ { name: 'StringFilter', tsType: 'string', operators: ['equality', 'distinct', 'inArray', 'comparison', 'string'] },
+ { name: 'IntFilter', tsType: 'number', operators: ['equality', 'distinct', 'inArray', 'comparison'] },
+ { name: 'FloatFilter', tsType: 'number', operators: ['equality', 'distinct', 'inArray', 'comparison'] },
+ { name: 'BooleanFilter', tsType: 'boolean', operators: ['equality'] },
+ { name: 'UUIDFilter', tsType: 'string', operators: ['equality', 'distinct', 'inArray'] },
+ { name: 'DatetimeFilter', tsType: 'string', operators: ['equality', 'distinct', 'inArray', 'comparison'] },
+ { name: 'DateFilter', tsType: 'string', operators: ['equality', 'distinct', 'inArray', 'comparison'] },
+ { name: 'JSONFilter', tsType: 'Record', operators: ['equality', 'distinct', 'json'] },
+ { name: 'BigIntFilter', tsType: 'string', operators: ['equality', 'distinct', 'inArray', 'comparison'] },
+ { name: 'BigFloatFilter', tsType: 'string', operators: ['equality', 'distinct', 'inArray', 'comparison'] },
+ { name: 'BitStringFilter', tsType: 'string', operators: ['equality'] },
+ { name: 'InternetAddressFilter', tsType: 'string', operators: ['equality', 'distinct', 'inArray', 'comparison', 'inet'] },
+ { name: 'FullTextFilter', tsType: 'string', operators: ['fulltext'] },
+];
+
+/**
+ * Build filter properties based on operator sets
+ */
+function buildScalarFilterProperties(config: ScalarFilterConfig): InterfaceProperty[] {
+ const { tsType, operators } = config;
+ const props: InterfaceProperty[] = [];
+
+ // Equality operators (isNull, equalTo, notEqualTo)
+ if (operators.includes('equality')) {
+ props.push(
+ { name: 'isNull', type: 'boolean', optional: true },
+ { name: 'equalTo', type: tsType, optional: true },
+ { name: 'notEqualTo', type: tsType, optional: true },
+ );
+ }
+
+ // Distinct operators
+ if (operators.includes('distinct')) {
+ props.push(
+ { name: 'distinctFrom', type: tsType, optional: true },
+ { name: 'notDistinctFrom', type: tsType, optional: true },
+ );
+ }
+
+ // In/notIn operators
+ if (operators.includes('inArray')) {
+ props.push(
+ { name: 'in', type: `${tsType}[]`, optional: true },
+ { name: 'notIn', type: `${tsType}[]`, optional: true },
+ );
+ }
+
+ // Comparison operators (less than, greater than)
+ if (operators.includes('comparison')) {
+ props.push(
+ { name: 'lessThan', type: tsType, optional: true },
+ { name: 'lessThanOrEqualTo', type: tsType, optional: true },
+ { name: 'greaterThan', type: tsType, optional: true },
+ { name: 'greaterThanOrEqualTo', type: tsType, optional: true },
+ );
+ }
+
+ // String operators (includes, startsWith, like, etc.)
+ if (operators.includes('string')) {
+ props.push(
+ { name: 'includes', type: 'string', optional: true },
+ { name: 'notIncludes', type: 'string', optional: true },
+ { name: 'includesInsensitive', type: 'string', optional: true },
+ { name: 'notIncludesInsensitive', type: 'string', optional: true },
+ { name: 'startsWith', type: 'string', optional: true },
+ { name: 'notStartsWith', type: 'string', optional: true },
+ { name: 'startsWithInsensitive', type: 'string', optional: true },
+ { name: 'notStartsWithInsensitive', type: 'string', optional: true },
+ { name: 'endsWith', type: 'string', optional: true },
+ { name: 'notEndsWith', type: 'string', optional: true },
+ { name: 'endsWithInsensitive', type: 'string', optional: true },
+ { name: 'notEndsWithInsensitive', type: 'string', optional: true },
+ { name: 'like', type: 'string', optional: true },
+ { name: 'notLike', type: 'string', optional: true },
+ { name: 'likeInsensitive', type: 'string', optional: true },
+ { name: 'notLikeInsensitive', type: 'string', optional: true },
+ );
+ }
+
+ // JSON operators (contains, containsKey, etc.)
+ if (operators.includes('json')) {
+ props.push(
+ { name: 'contains', type: 'Record', optional: true },
+ { name: 'containedBy', type: 'Record', optional: true },
+ { name: 'containsKey', type: 'string', optional: true },
+ { name: 'containsAllKeys', type: 'string[]', optional: true },
+ { name: 'containsAnyKeys', type: 'string[]', optional: true },
+ );
+ }
+
+ // Internet address operators
+ if (operators.includes('inet')) {
+ props.push(
+ { name: 'contains', type: 'string', optional: true },
+ { name: 'containsOrEqualTo', type: 'string', optional: true },
+ { name: 'containedBy', type: 'string', optional: true },
+ { name: 'containedByOrEqualTo', type: 'string', optional: true },
+ { name: 'containsOrContainedBy', type: 'string', optional: true },
+ );
+ }
+
+ // Full-text search operators
+ if (operators.includes('fulltext')) {
+ props.push({ name: 'matches', type: 'string', optional: true });
+ }
+
+ return props;
+}
+
+/**
+ * Add scalar filter types to source file using ts-morph
+ */
+function addScalarFilterTypes(sourceFile: SourceFile): void {
+ addSectionComment(sourceFile, 'Scalar Filter Types');
+
+ for (const config of SCALAR_FILTER_CONFIGS) {
+ sourceFile.addInterface(
+ createInterface(config.name, buildScalarFilterProperties(config))
+ );
+ }
+}
+
+// ============================================================================
+// Entity Types Generator (AST-based)
+// ============================================================================
+
+/**
+ * Build properties for an entity interface
+ */
+function buildEntityProperties(table: CleanTable): InterfaceProperty[] {
+ const properties: InterfaceProperty[] = [];
+
+ for (const field of table.fields) {
+ if (isRelationField(field.name, table)) continue;
+
+ const fieldType = typeof field.type === 'string' ? field.type : field.type.gqlType;
+ const tsType = scalarToInputTs(fieldType);
+ const isNullable = field.name !== 'id' && field.name !== 'nodeId';
+
+ properties.push({
+ name: field.name,
+ type: isNullable ? `${tsType} | null` : tsType,
+ optional: isNullable,
+ });
+ }
+
+ return properties;
+}
+
+/**
+ * Add entity type interface for a table
+ */
+function addEntityType(sourceFile: SourceFile, table: CleanTable): void {
+ const { typeName } = getTableNames(table);
+ sourceFile.addInterface(createInterface(typeName, buildEntityProperties(table)));
+}
+
+/**
+ * Add all entity types
+ */
+function addEntityTypes(sourceFile: SourceFile, tables: CleanTable[]): void {
+ addSectionComment(sourceFile, 'Entity Types');
+ for (const table of tables) {
+ addEntityType(sourceFile, table);
+ }
+}
+
+// ============================================================================
+// Relation Helper Types Generator (AST-based)
+// ============================================================================
+
+/**
+ * Add relation helper types (ConnectionResult, PageInfo)
+ */
+function addRelationHelperTypes(sourceFile: SourceFile): void {
+ addSectionComment(sourceFile, 'Relation Helper Types');
+
+ sourceFile.addInterface(createInterface('ConnectionResult', [
+ { name: 'nodes', type: 'T[]', optional: false },
+ { name: 'totalCount', type: 'number', optional: false },
+ { name: 'pageInfo', type: 'PageInfo', optional: false },
+ ]));
+
+ sourceFile.addInterface(createInterface('PageInfo', [
+ { name: 'hasNextPage', type: 'boolean', optional: false },
+ { name: 'hasPreviousPage', type: 'boolean', optional: false },
+ { name: 'startCursor', type: 'string | null', optional: true },
+ { name: 'endCursor', type: 'string | null', optional: true },
+ ]));
+}
+
+// ============================================================================
+// Entity Relation Types Generator (AST-based)
+// ============================================================================
+
+function getRelatedTypeName(
+ tableName: string,
+ tableByName: Map
+): string {
+ const relatedTable = tableByName.get(tableName);
+ return relatedTable ? getTableNames(relatedTable).typeName : tableName;
+}
+
+function getRelatedOrderByName(
+ tableName: string,
+ tableByName: Map
+): string {
+ const relatedTable = tableByName.get(tableName);
+ return relatedTable ? getOrderByTypeName(relatedTable) : `${tableName}sOrderBy`;
+}
+
+function getRelatedFilterName(
+ tableName: string,
+ tableByName: Map
+): string {
+ const relatedTable = tableByName.get(tableName);
+ return relatedTable ? getFilterTypeName(relatedTable) : `${tableName}Filter`;
+}
+
+/**
+ * Build properties for entity relations interface
+ */
+function buildEntityRelationProperties(
+ table: CleanTable,
+ tableByName: Map
+): InterfaceProperty[] {
+ const properties: InterfaceProperty[] = [];
+
+ for (const relation of table.relations.belongsTo) {
+ if (!relation.fieldName) continue;
+ const relatedTypeName = getRelatedTypeName(relation.referencesTable, tableByName);
+ properties.push({
+ name: relation.fieldName,
+ type: `${relatedTypeName} | null`,
+ optional: true,
+ });
+ }
+
+ for (const relation of table.relations.hasOne) {
+ if (!relation.fieldName) continue;
+ const relatedTypeName = getRelatedTypeName(relation.referencedByTable, tableByName);
+ properties.push({
+ name: relation.fieldName,
+ type: `${relatedTypeName} | null`,
+ optional: true,
+ });
+ }
+
+ for (const relation of table.relations.hasMany) {
+ if (!relation.fieldName) continue;
+ const relatedTypeName = getRelatedTypeName(relation.referencedByTable, tableByName);
+ properties.push({
+ name: relation.fieldName,
+ type: `ConnectionResult<${relatedTypeName}>`,
+ optional: true,
+ });
+ }
+
+ for (const relation of table.relations.manyToMany) {
+ if (!relation.fieldName) continue;
+ const relatedTypeName = getRelatedTypeName(relation.rightTable, tableByName);
+ properties.push({
+ name: relation.fieldName,
+ type: `ConnectionResult<${relatedTypeName}>`,
+ optional: true,
+ });
+ }
+
+ return properties;
+}
+
+/**
+ * Add entity relation types
+ */
+function addEntityRelationTypes(
+ sourceFile: SourceFile,
+ tables: CleanTable[],
+ tableByName: Map
+): void {
+ addSectionComment(sourceFile, 'Entity Relation Types');
+
+ for (const table of tables) {
+ const { typeName } = getTableNames(table);
+ sourceFile.addInterface(
+ createInterface(`${typeName}Relations`, buildEntityRelationProperties(table, tableByName))
+ );
+ }
+}
+
+/**
+ * Add entity types with relations (intersection types)
+ */
+function addEntityWithRelations(sourceFile: SourceFile, tables: CleanTable[]): void {
+ addSectionComment(sourceFile, 'Entity Types With Relations');
+
+ for (const table of tables) {
+ const { typeName } = getTableNames(table);
+ sourceFile.addTypeAlias(
+ createTypeAlias(`${typeName}WithRelations`, `${typeName} & ${typeName}Relations`)
+ );
+ }
+}
+
+// ============================================================================
+// Entity Select Types Generator (AST-based)
+// ============================================================================
+
+/**
+ * Build the type string for a Select type (as object type literal)
+ */
+function buildSelectTypeBody(
+ table: CleanTable,
+ tableByName: Map
+): string {
+ const lines: string[] = ['{'];
+
+ // Add scalar fields
+ for (const field of table.fields) {
+ if (!isRelationField(field.name, table)) {
+ lines.push(`${field.name}?: boolean;`);
+ }
+ }
+
+ // Add belongsTo relations
+ for (const relation of table.relations.belongsTo) {
+ if (relation.fieldName) {
+ const relatedTypeName = getRelatedTypeName(relation.referencesTable, tableByName);
+ lines.push(`${relation.fieldName}?: boolean | { select?: ${relatedTypeName}Select };`);
+ }
+ }
+
+ // Add hasMany relations
+ for (const relation of table.relations.hasMany) {
+ if (relation.fieldName) {
+ const relatedTypeName = getRelatedTypeName(relation.referencedByTable, tableByName);
+ const filterName = getRelatedFilterName(relation.referencedByTable, tableByName);
+ const orderByName = getRelatedOrderByName(relation.referencedByTable, tableByName);
+ lines.push(`${relation.fieldName}?: boolean | {`);
+ lines.push(` select?: ${relatedTypeName}Select;`);
+ lines.push(` first?: number;`);
+ lines.push(` filter?: ${filterName};`);
+ lines.push(` orderBy?: ${orderByName}[];`);
+ lines.push(`};`);
+ }
+ }
+
+ // Add manyToMany relations
+ for (const relation of table.relations.manyToMany) {
+ if (relation.fieldName) {
+ const relatedTypeName = getRelatedTypeName(relation.rightTable, tableByName);
+ const filterName = getRelatedFilterName(relation.rightTable, tableByName);
+ const orderByName = getRelatedOrderByName(relation.rightTable, tableByName);
+ lines.push(`${relation.fieldName}?: boolean | {`);
+ lines.push(` select?: ${relatedTypeName}Select;`);
+ lines.push(` first?: number;`);
+ lines.push(` filter?: ${filterName};`);
+ lines.push(` orderBy?: ${orderByName}[];`);
+ lines.push(`};`);
+ }
+ }
+
+ // Add hasOne relations
+ for (const relation of table.relations.hasOne) {
+ if (relation.fieldName) {
+ const relatedTypeName = getRelatedTypeName(relation.referencedByTable, tableByName);
+ lines.push(`${relation.fieldName}?: boolean | { select?: ${relatedTypeName}Select };`);
+ }
+ }
+
+ lines.push('}');
+ return lines.join('\n');
+}
+
+/**
+ * Add entity Select types
+ */
+function addEntitySelectTypes(
+ sourceFile: SourceFile,
+ tables: CleanTable[],
+ tableByName: Map
+): void {
+ addSectionComment(sourceFile, 'Entity Select Types');
+
+ for (const table of tables) {
+ const { typeName } = getTableNames(table);
+ sourceFile.addTypeAlias(
+ createTypeAlias(`${typeName}Select`, buildSelectTypeBody(table, tableByName))
+ );
+ }
+}
+
+// ============================================================================
+// Table Filter Types Generator (AST-based)
+// ============================================================================
+
+/**
+ * Map field type to filter type
+ */
+function getFilterTypeForField(fieldType: string): string {
+ return scalarToFilterType(fieldType) ?? 'StringFilter';
+}
+
+/**
+ * Build properties for a table filter interface
+ */
+function buildTableFilterProperties(table: CleanTable): InterfaceProperty[] {
+ const filterName = getFilterTypeName(table);
+ const properties: InterfaceProperty[] = [];
+
+ for (const field of table.fields) {
+ const fieldType = typeof field.type === 'string' ? field.type : field.type.gqlType;
+ if (isRelationField(field.name, table)) continue;
+
+ const filterType = getFilterTypeForField(fieldType);
+ properties.push({ name: field.name, type: filterType, optional: true });
+ }
+
+ // Add logical operators
+ properties.push({ name: 'and', type: `${filterName}[]`, optional: true });
+ properties.push({ name: 'or', type: `${filterName}[]`, optional: true });
+ properties.push({ name: 'not', type: filterName, optional: true });
+
+ return properties;
+}
+
+/**
+ * Add table filter types
+ */
+function addTableFilterTypes(sourceFile: SourceFile, tables: CleanTable[]): void {
+ addSectionComment(sourceFile, 'Table Filter Types');
+
+ for (const table of tables) {
+ const filterName = getFilterTypeName(table);
+ sourceFile.addInterface(createInterface(filterName, buildTableFilterProperties(table)));
+ }
+}
+
+// ============================================================================
+// OrderBy Types Generator (AST-based)
+// ============================================================================
+
+/**
+ * Build OrderBy union type string
+ */
+function buildOrderByUnion(table: CleanTable): string {
+ const values: string[] = ['PRIMARY_KEY_ASC', 'PRIMARY_KEY_DESC', 'NATURAL'];
+
+ for (const field of table.fields) {
+ if (isRelationField(field.name, table)) continue;
+ const upperSnake = field.name.replace(/([A-Z])/g, '_$1').toUpperCase();
+ values.push(`${upperSnake}_ASC`);
+ values.push(`${upperSnake}_DESC`);
+ }
+
+ return values.map((v) => `'${v}'`).join(' | ');
+}
+
+/**
+ * Add OrderBy types
+ */
+function addOrderByTypes(sourceFile: SourceFile, tables: CleanTable[]): void {
+ addSectionComment(sourceFile, 'OrderBy Types');
+
+ for (const table of tables) {
+ const enumName = getOrderByTypeName(table);
+ sourceFile.addTypeAlias(createTypeAlias(enumName, buildOrderByUnion(table)));
+ }
+}
+
+// ============================================================================
+// CRUD Input Types Generator (AST-based)
+// ============================================================================
+
+/**
+ * Build the nested data object fields for Create input
+ */
+function buildCreateDataFields(table: CleanTable): Array<{ name: string; type: string; optional: boolean }> {
+ const fields: Array<{ name: string; type: string; optional: boolean }> = [];
+
+ for (const field of table.fields) {
+ if (EXCLUDED_MUTATION_FIELDS.includes(field.name as typeof EXCLUDED_MUTATION_FIELDS[number])) continue;
+ if (isRelationField(field.name, table)) continue;
+
+ const fieldType = typeof field.type === 'string' ? field.type : field.type.gqlType;
+ const tsType = scalarToInputTs(fieldType);
+ const isOptional = !field.name.endsWith('Id');
+
+ fields.push({ name: field.name, type: tsType, optional: isOptional });
+ }
+
+ return fields;
+}
+
+/**
+ * Generate Create input interface as formatted string.
+ *
+ * ts-morph doesn't handle nested object types in interface properties well,
+ * so we build this manually with pre-doubled indentation (4→2, 8→4) since
+ * getMinimalFormattedOutput halves all indentation.
+ */
+function buildCreateInputInterface(table: CleanTable): string {
+ const { typeName, singularName } = getTableNames(table);
+ const fields = buildCreateDataFields(table);
+
+ const lines = [
+ `export interface Create${typeName}Input {`,
+ ` clientMutationId?: string;`,
+ ` ${singularName}: {`,
+ ];
+
+ for (const field of fields) {
+ const opt = field.optional ? '?' : '';
+ lines.push(` ${field.name}${opt}: ${field.type};`);
+ }
+
+ lines.push(' };');
+ lines.push('}');
+
+ return lines.join('\n');
+}
+
+/**
+ * Build Patch type properties
+ */
+function buildPatchProperties(table: CleanTable): InterfaceProperty[] {
+ const properties: InterfaceProperty[] = [];
+
+ for (const field of table.fields) {
+ if (EXCLUDED_MUTATION_FIELDS.includes(field.name as typeof EXCLUDED_MUTATION_FIELDS[number])) continue;
+ if (isRelationField(field.name, table)) continue;
+
+ const fieldType = typeof field.type === 'string' ? field.type : field.type.gqlType;
+ const tsType = scalarToInputTs(fieldType);
+
+ properties.push({ name: field.name, type: `${tsType} | null`, optional: true });
+ }
+
+ return properties;
+}
+
+/**
+ * Add CRUD input types for a table
+ */
+function addCrudInputTypes(sourceFile: SourceFile, table: CleanTable): void {
+ const { typeName } = getTableNames(table);
+ const patchName = `${typeName}Patch`;
+
+ // Create input - build as raw statement due to nested object type formatting
+ sourceFile.addStatements(buildCreateInputInterface(table));
+
+ // Patch interface
+ sourceFile.addInterface(createInterface(patchName, buildPatchProperties(table)));
+
+ // Update input
+ sourceFile.addInterface(createInterface(`Update${typeName}Input`, [
+ { name: 'clientMutationId', type: 'string', optional: true },
+ { name: 'id', type: 'string', optional: false },
+ { name: 'patch', type: patchName, optional: false },
+ ]));
+
+ // Delete input
+ sourceFile.addInterface(createInterface(`Delete${typeName}Input`, [
+ { name: 'clientMutationId', type: 'string', optional: true },
+ { name: 'id', type: 'string', optional: false },
+ ]));
+}
+
+/**
+ * Add all CRUD input types
+ */
+function addAllCrudInputTypes(sourceFile: SourceFile, tables: CleanTable[]): void {
+ addSectionComment(sourceFile, 'CRUD Input Types');
+
+ for (const table of tables) {
+ addCrudInputTypes(sourceFile, table);
+ }
+}
+
+// ============================================================================
+// Custom Input Types Generator (AST-based)
+// ============================================================================
+
+/**
+ * Collect all input type names used by operations
+ */
+export function collectInputTypeNames(
+ operations: Array<{ args: CleanArgument[] }>
+): Set {
+ const inputTypes = new Set();
+
+ function collectFromTypeRef(typeRef: CleanArgument['type']) {
+ const baseName = getTypeBaseName(typeRef);
+ if (baseName && baseName.endsWith('Input')) {
+ inputTypes.add(baseName);
+ }
+ if (baseName && baseName.endsWith('Filter')) {
+ inputTypes.add(baseName);
+ }
+ }
+
+ for (const op of operations) {
+ for (const arg of op.args) {
+ collectFromTypeRef(arg.type);
+ }
+ }
+
+ return inputTypes;
+}
+
+/**
+ * Add custom input types from TypeRegistry
+ */
+function addCustomInputTypes(
+ sourceFile: SourceFile,
+ typeRegistry: TypeRegistry,
+ usedInputTypes: Set
+): void {
+ addSectionComment(sourceFile, 'Custom Input Types (from schema)');
+
+ const generatedTypes = new Set();
+ const typesToGenerate = new Set(Array.from(usedInputTypes));
+
+ // Filter out types we've already generated
+ const typesToRemove: string[] = [];
+ typesToGenerate.forEach((typeName) => {
+ if (
+ typeName.endsWith('Filter') ||
+ typeName.startsWith('Create') ||
+ typeName.startsWith('Update') ||
+ typeName.startsWith('Delete')
+ ) {
+ const isTableCrud =
+ /^(Create|Update|Delete)[A-Z][a-zA-Z]+Input$/.test(typeName) ||
+ /^[A-Z][a-zA-Z]+Filter$/.test(typeName);
+
+ if (isTableCrud) {
+ typesToRemove.push(typeName);
+ }
+ }
+ });
+ typesToRemove.forEach((t) => typesToGenerate.delete(t));
+
+ let iterations = 0;
+ const maxIterations = 200;
+
+ while (typesToGenerate.size > 0 && iterations < maxIterations) {
+ iterations++;
+ const typeNameResult = typesToGenerate.values().next();
+ if (typeNameResult.done) break;
+ const typeName: string = typeNameResult.value;
+ typesToGenerate.delete(typeName);
+
+ if (generatedTypes.has(typeName)) continue;
+ generatedTypes.add(typeName);
+
+ const typeInfo = typeRegistry.get(typeName);
+ if (!typeInfo) {
+ sourceFile.addStatements(`// Type '${typeName}' not found in schema`);
+ sourceFile.addTypeAlias(createTypeAlias(typeName, 'Record'));
+ continue;
+ }
+
+ if (typeInfo.kind === 'INPUT_OBJECT' && typeInfo.inputFields) {
+ const properties: InterfaceProperty[] = [];
+
+ for (const field of typeInfo.inputFields) {
+ const optional = !isRequired(field.type);
+ const tsType = typeRefToTs(field.type);
+ properties.push({ name: field.name, type: tsType, optional });
+
+ // Follow nested Input types
+ const baseType = getTypeBaseName(field.type);
+ if (baseType && baseType.endsWith('Input') && !generatedTypes.has(baseType)) {
+ typesToGenerate.add(baseType);
+ }
+ }
+
+ sourceFile.addInterface(createInterface(typeName, properties));
+ } else if (typeInfo.kind === 'ENUM' && typeInfo.enumValues) {
+ const values = typeInfo.enumValues.map((v) => `'${v}'`).join(' | ');
+ sourceFile.addTypeAlias(createTypeAlias(typeName, values));
+ } else {
+ sourceFile.addStatements(`// Type '${typeName}' is ${typeInfo.kind}`);
+ sourceFile.addTypeAlias(createTypeAlias(typeName, 'unknown'));
+ }
+ }
+}
+
+// ============================================================================
+// Payload/Return Types Generator (AST-based)
+// ============================================================================
+
+/**
+ * Collect all payload type names from operation return types
+ */
+export function collectPayloadTypeNames(
+ operations: Array<{ returnType: CleanArgument['type'] }>
+): Set {
+ const payloadTypes = new Set();
+
+ for (const op of operations) {
+ const baseName = getTypeBaseName(op.returnType);
+ if (baseName && (baseName.endsWith('Payload') || !baseName.endsWith('Connection'))) {
+ payloadTypes.add(baseName);
+ }
+ }
+
+ return payloadTypes;
+}
+
+/**
+ * Add payload/return types
+ */
+function addPayloadTypes(
+ sourceFile: SourceFile,
+ typeRegistry: TypeRegistry,
+ usedPayloadTypes: Set,
+ alreadyGeneratedTypes: Set
+): void {
+ addSectionComment(sourceFile, 'Payload/Return Types (for custom operations)');
+
+ const generatedTypes = new Set(alreadyGeneratedTypes);
+ const typesToGenerate = new Set(Array.from(usedPayloadTypes));
+
+ const skipTypes = new Set([
+ 'String', 'Int', 'Float', 'Boolean', 'ID', 'UUID', 'Datetime', 'Date',
+ 'Time', 'JSON', 'BigInt', 'BigFloat', 'Cursor', 'Query', 'Mutation',
+ ]);
+
+ let iterations = 0;
+ const maxIterations = 200;
+
+ while (typesToGenerate.size > 0 && iterations < maxIterations) {
+ iterations++;
+ const typeNameResult = typesToGenerate.values().next();
+ if (typeNameResult.done) break;
+ const typeName: string = typeNameResult.value;
+ typesToGenerate.delete(typeName);
+
+ if (generatedTypes.has(typeName) || skipTypes.has(typeName)) continue;
+
+ const typeInfo = typeRegistry.get(typeName);
+ if (!typeInfo) continue;
+
+ if (typeInfo.kind !== 'OBJECT' || !typeInfo.fields) continue;
+
+ generatedTypes.add(typeName);
+
+ // Build interface properties
+ const interfaceProps: InterfaceProperty[] = [];
+ for (const field of typeInfo.fields) {
+ const baseType = getTypeBaseName(field.type);
+ if (baseType === 'Query' || baseType === 'Mutation') continue;
+
+ const tsType = typeRefToTs(field.type);
+ const isNullable = !isRequired(field.type);
+ interfaceProps.push({
+ name: field.name,
+ type: isNullable ? `${tsType} | null` : tsType,
+ optional: isNullable,
+ });
+
+ // Follow nested OBJECT types
+ if (baseType && !generatedTypes.has(baseType) && !skipTypes.has(baseType)) {
+ const nestedType = typeRegistry.get(baseType);
+ if (nestedType?.kind === 'OBJECT') {
+ typesToGenerate.add(baseType);
+ }
+ }
+ }
+
+ sourceFile.addInterface(createInterface(typeName, interfaceProps));
+
+ // Build Select type (no indentation - ts-morph adds it)
+ const selectLines: string[] = ['{'];
+ for (const field of typeInfo.fields) {
+ const baseType = getTypeBaseName(field.type);
+ if (baseType === 'Query' || baseType === 'Mutation') continue;
+
+ const nestedType = baseType ? typeRegistry.get(baseType) : null;
+ if (nestedType?.kind === 'OBJECT') {
+ selectLines.push(`${field.name}?: boolean | { select?: ${baseType}Select };`);
+ } else {
+ selectLines.push(`${field.name}?: boolean;`);
+ }
+ }
+ selectLines.push('}');
+
+ sourceFile.addTypeAlias(createTypeAlias(`${typeName}Select`, selectLines.join('\n')));
+ }
+}
+
+// ============================================================================
+// Main Generator (AST-based)
+// ============================================================================
+
+/**
+ * Generate comprehensive input-types.ts file using ts-morph AST
+ */
+export function generateInputTypesFile(
+ typeRegistry: TypeRegistry,
+ usedInputTypes: Set,
+ tables?: CleanTable[],
+ usedPayloadTypes?: Set
+): GeneratedInputTypesFile {
+ const project = createProject();
+ const sourceFile = createSourceFile(project, 'input-types.ts');
+
+ // Add file header
+ sourceFile.insertText(0, createFileHeader('GraphQL types for ORM client') + '\n');
+
+ // 1. Scalar filter types
+ addScalarFilterTypes(sourceFile);
+
+ // 2. Entity and relation types (if tables provided)
+ if (tables && tables.length > 0) {
+ const tableByName = new Map(tables.map((table) => [table.name, table]));
+
+ addEntityTypes(sourceFile, tables);
+ addRelationHelperTypes(sourceFile);
+ addEntityRelationTypes(sourceFile, tables, tableByName);
+ addEntityWithRelations(sourceFile, tables);
+ addEntitySelectTypes(sourceFile, tables, tableByName);
+
+ // 3. Table filter types
+ addTableFilterTypes(sourceFile, tables);
+
+ // 4. OrderBy types
+ addOrderByTypes(sourceFile, tables);
+
+ // 5. CRUD input types
+ addAllCrudInputTypes(sourceFile, tables);
+ }
+
+ // 6. Custom input types from TypeRegistry
+ addCustomInputTypes(sourceFile, typeRegistry, usedInputTypes);
+
+ // 7. Payload/return types for custom operations
+ if (usedPayloadTypes && usedPayloadTypes.size > 0) {
+ const alreadyGeneratedTypes = new Set();
+ if (tables) {
+ for (const table of tables) {
+ const { typeName } = getTableNames(table);
+ alreadyGeneratedTypes.add(typeName);
+ }
+ }
+ addPayloadTypes(sourceFile, typeRegistry, usedPayloadTypes, alreadyGeneratedTypes);
+ }
+
+ return {
+ fileName: 'input-types.ts',
+ content: getMinimalFormattedOutput(sourceFile),
+ };
+}
diff --git a/graphql/codegen/src/cli/codegen/orm/model-generator.ts b/graphql/codegen/src/cli/codegen/orm/model-generator.ts
new file mode 100644
index 000000000..077a680ea
--- /dev/null
+++ b/graphql/codegen/src/cli/codegen/orm/model-generator.ts
@@ -0,0 +1,321 @@
+/**
+ * Model class generator for ORM client
+ *
+ * Generates per-table model classes with findMany, findFirst, create, update, delete methods.
+ *
+ * Example output:
+ * ```typescript
+ * export class UserModel {
+ * constructor(private client: OrmClient) {}
+ *
+ * findMany(args?: FindManyArgs) {
+ * return new QueryBuilder<...>({ ... });
+ * }
+ * // ...
+ * }
+ * ```
+ */
+import type { CleanTable } from '../../../types/schema';
+import {
+ createProject,
+ createSourceFile,
+ getFormattedOutput,
+ createFileHeader,
+ createImport,
+} from '../ts-ast';
+import { getTableNames, lcFirst } from '../utils';
+
+export interface GeneratedModelFile {
+ fileName: string;
+ content: string;
+ modelName: string;
+ tableName: string;
+}
+
+/**
+ * Generate a model class file for a table
+ */
+export function generateModelFile(
+ table: CleanTable,
+ _useSharedTypes: boolean
+): GeneratedModelFile {
+ const project = createProject();
+ const { typeName, singularName, pluralName } = getTableNames(table);
+ const modelName = `${typeName}Model`;
+ const fileName = `${lcFirst(typeName)}.ts`;
+ const entityLower = singularName;
+
+ // Type names for this entity
+ const selectTypeName = `${typeName}Select`;
+ const relationTypeName = `${typeName}WithRelations`;
+ const whereTypeName = `${typeName}Filter`;
+ const orderByTypeName = `${typeName}sOrderBy`; // PostGraphile uses plural
+ const createInputTypeName = `Create${typeName}Input`;
+ const updateInputTypeName = `Update${typeName}Input`;
+ const deleteInputTypeName = `Delete${typeName}Input`;
+ const patchTypeName = `${typeName}Patch`;
+ const createDataType = `${createInputTypeName}['${singularName}']`;
+
+ // Query names from PostGraphile
+ const pluralQueryName = table.query?.all ?? pluralName;
+ const createMutationName = table.query?.create ?? `create${typeName}`;
+ const updateMutationName = table.query?.update;
+ const deleteMutationName = table.query?.delete;
+
+ const sourceFile = createSourceFile(project, fileName);
+
+ // Add file header
+ sourceFile.insertText(
+ 0,
+ createFileHeader(`${typeName} model for ORM client`) + '\n\n'
+ );
+
+ // Add imports - import types from respective modules
+ sourceFile.addImportDeclarations([
+ createImport({
+ moduleSpecifier: '../client',
+ namedImports: ['OrmClient'],
+ }),
+ createImport({
+ moduleSpecifier: '../query-builder',
+ namedImports: [
+ 'QueryBuilder',
+ 'buildFindManyDocument',
+ 'buildFindFirstDocument',
+ 'buildCreateDocument',
+ 'buildUpdateDocument',
+ 'buildDeleteDocument',
+ ],
+ }),
+ createImport({
+ moduleSpecifier: '../select-types',
+ typeOnlyNamedImports: [
+ 'ConnectionResult',
+ 'FindManyArgs',
+ 'FindFirstArgs',
+ 'CreateArgs',
+ 'UpdateArgs',
+ 'DeleteArgs',
+ 'InferSelectResult',
+ ],
+ }),
+ ]);
+
+ // Build complete set of input-types imports
+ // Select types are now centralized in input-types.ts with relations included
+ const inputTypeImports = new Set([
+ typeName,
+ relationTypeName,
+ selectTypeName,
+ whereTypeName,
+ orderByTypeName,
+ createInputTypeName,
+ updateInputTypeName,
+ patchTypeName,
+ ]);
+
+ // Add single combined import from input-types
+ sourceFile.addImportDeclaration(
+ createImport({
+ moduleSpecifier: '../input-types',
+ typeOnlyNamedImports: Array.from(inputTypeImports),
+ })
+ );
+
+ // Add Model class
+ sourceFile.addStatements('\n// ============================================================================');
+ sourceFile.addStatements('// Model Class');
+ sourceFile.addStatements('// ============================================================================\n');
+
+ // Generate the model class
+ const classDeclaration = sourceFile.addClass({
+ name: modelName,
+ isExported: true,
+ });
+
+ // Constructor
+ classDeclaration.addConstructor({
+ parameters: [
+ {
+ name: 'client',
+ type: 'OrmClient',
+ scope: 'private' as any,
+ },
+ ],
+ });
+
+ // findMany method - uses const generic for proper literal type inference
+ classDeclaration.addMethod({
+ name: 'findMany',
+ typeParameters: [`const S extends ${selectTypeName}`],
+ parameters: [
+ {
+ name: 'args',
+ type: `FindManyArgs`,
+ hasQuestionToken: true,
+ },
+ ],
+ returnType: `QueryBuilder<{ ${pluralQueryName}: ConnectionResult> }>`,
+ statements: `const { document, variables } = buildFindManyDocument(
+ '${typeName}',
+ '${pluralQueryName}',
+ args?.select,
+ {
+ where: args?.where,
+ orderBy: args?.orderBy as string[] | undefined,
+ first: args?.first,
+ last: args?.last,
+ after: args?.after,
+ before: args?.before,
+ offset: args?.offset,
+ },
+ '${whereTypeName}'
+ );
+ return new QueryBuilder({
+ client: this.client,
+ operation: 'query',
+ operationName: '${typeName}',
+ fieldName: '${pluralQueryName}',
+ document,
+ variables,
+ });`,
+ });
+
+ // findFirst method - uses const generic for proper literal type inference
+ classDeclaration.addMethod({
+ name: 'findFirst',
+ typeParameters: [`const S extends ${selectTypeName}`],
+ parameters: [
+ {
+ name: 'args',
+ type: `FindFirstArgs`,
+ hasQuestionToken: true,
+ },
+ ],
+ returnType: `QueryBuilder<{ ${pluralQueryName}: { nodes: InferSelectResult<${relationTypeName}, S>[] } }>`,
+ statements: `const { document, variables } = buildFindFirstDocument(
+ '${typeName}',
+ '${pluralQueryName}',
+ args?.select,
+ { where: args?.where },
+ '${whereTypeName}'
+ );
+ return new QueryBuilder({
+ client: this.client,
+ operation: 'query',
+ operationName: '${typeName}',
+ fieldName: '${pluralQueryName}',
+ document,
+ variables,
+ });`,
+ });
+
+ // create method - uses const generic for proper literal type inference
+ classDeclaration.addMethod({
+ name: 'create',
+ typeParameters: [`const S extends ${selectTypeName}`],
+ parameters: [
+ {
+ name: 'args',
+ type: `CreateArgs`,
+ },
+ ],
+ returnType: `QueryBuilder<{ ${createMutationName}: { ${entityLower}: InferSelectResult<${relationTypeName}, S> } }>`,
+ statements: `const { document, variables } = buildCreateDocument(
+ '${typeName}',
+ '${createMutationName}',
+ '${entityLower}',
+ args.select,
+ args.data,
+ '${createInputTypeName}'
+ );
+ return new QueryBuilder({
+ client: this.client,
+ operation: 'mutation',
+ operationName: '${typeName}',
+ fieldName: '${createMutationName}',
+ document,
+ variables,
+ });`,
+ });
+
+ // update method (if available) - uses const generic for proper literal type inference
+ if (updateMutationName) {
+ classDeclaration.addMethod({
+ name: 'update',
+ typeParameters: [`const S extends ${selectTypeName}`],
+ parameters: [
+ {
+ name: 'args',
+ type: `UpdateArgs`,
+ },
+ ],
+ returnType: `QueryBuilder<{ ${updateMutationName}: { ${entityLower}: InferSelectResult<${relationTypeName}, S> } }>`,
+ statements: `const { document, variables } = buildUpdateDocument(
+ '${typeName}',
+ '${updateMutationName}',
+ '${entityLower}',
+ args.select,
+ args.where,
+ args.data,
+ '${updateInputTypeName}'
+ );
+ return new QueryBuilder({
+ client: this.client,
+ operation: 'mutation',
+ operationName: '${typeName}',
+ fieldName: '${updateMutationName}',
+ document,
+ variables,
+ });`,
+ });
+ }
+
+ // delete method (if available)
+ if (deleteMutationName) {
+ classDeclaration.addMethod({
+ name: 'delete',
+ parameters: [
+ {
+ name: 'args',
+ type: `DeleteArgs<{ id: string }>`,
+ },
+ ],
+ returnType: `QueryBuilder<{ ${deleteMutationName}: { ${entityLower}: { id: string } } }>`,
+ statements: `const { document, variables } = buildDeleteDocument(
+ '${typeName}',
+ '${deleteMutationName}',
+ '${entityLower}',
+ args.where,
+ '${deleteInputTypeName}'
+ );
+ return new QueryBuilder({
+ client: this.client,
+ operation: 'mutation',
+ operationName: '${typeName}',
+ fieldName: '${deleteMutationName}',
+ document,
+ variables,
+ });`,
+ });
+ }
+
+ return {
+ fileName,
+ content: getFormattedOutput(sourceFile),
+ modelName,
+ tableName: table.name,
+ };
+}
+
+// Select types with relations are now generated in input-types.ts
+
+/**
+ * Generate all model files for a list of tables
+ */
+export function generateAllModelFiles(
+ tables: CleanTable[],
+ useSharedTypes: boolean
+): GeneratedModelFile[] {
+ return tables.map((table) => generateModelFile(table, useSharedTypes));
+}
diff --git a/graphql/codegen/src/cli/codegen/orm/query-builder.ts b/graphql/codegen/src/cli/codegen/orm/query-builder.ts
new file mode 100644
index 000000000..6098d6251
--- /dev/null
+++ b/graphql/codegen/src/cli/codegen/orm/query-builder.ts
@@ -0,0 +1,514 @@
+/**
+ * Runtime query builder for ORM client
+ *
+ * This module provides the runtime functionality that builds GraphQL
+ * queries/mutations from the fluent API calls and executes them.
+ *
+ * This file will be copied to the generated output (not generated via AST)
+ * since it's runtime code that doesn't change based on schema.
+ */
+
+import type { QueryResult, GraphQLError } from './select-types';
+
+/**
+ * ORM client configuration
+ */
+export interface OrmClientConfig {
+ endpoint: string;
+ headers?: Record;
+}
+
+/**
+ * Internal client state
+ */
+export class OrmClient {
+ private endpoint: string;
+ private headers: Record;
+
+ constructor(config: OrmClientConfig) {
+ this.endpoint = config.endpoint;
+ this.headers = config.headers ?? {};
+ }
+
+ /**
+ * Execute a GraphQL query/mutation
+ */
+ async execute(
+ document: string,
+ variables?: Record
+ ): Promise> {
+ const response = await fetch(this.endpoint, {
+ method: 'POST',
+ headers: {
+ 'Content-Type': 'application/json',
+ Accept: 'application/json',
+ ...this.headers,
+ },
+ body: JSON.stringify({
+ query: document,
+ variables: variables ?? {},
+ }),
+ });
+
+ if (!response.ok) {
+ return {
+ data: null,
+ errors: [
+ {
+ message: `HTTP ${response.status}: ${response.statusText}`,
+ },
+ ],
+ };
+ }
+
+ const json = (await response.json()) as {
+ data?: T;
+ errors?: GraphQLError[];
+ };
+
+ return {
+ data: json.data ?? null,
+ errors: json.errors,
+ };
+ }
+
+ /**
+ * Update headers (e.g., for auth token refresh)
+ */
+ setHeaders(headers: Record): void {
+ this.headers = { ...this.headers, ...headers };
+ }
+
+ /**
+ * Get current endpoint
+ */
+ getEndpoint(): string {
+ return this.endpoint;
+ }
+}
+
+/**
+ * Configuration for building a query
+ */
+export interface QueryBuilderConfig {
+ client: OrmClient;
+ operation: 'query' | 'mutation';
+ operationName: string;
+ fieldName: string;
+ document: string;
+ variables?: Record;
+}
+
+/**
+ * Query builder that holds the query configuration and executes it
+ *
+ * Usage:
+ * ```typescript
+ * const result = await new QueryBuilder(config).execute();
+ * ```
+ */
+export class QueryBuilder {
+ private config: QueryBuilderConfig;
+
+ constructor(config: QueryBuilderConfig) {
+ this.config = config;
+ }
+
+ /**
+ * Execute the query and return the result
+ */
+ async execute(): Promise> {
+ return this.config.client.execute(
+ this.config.document,
+ this.config.variables
+ );
+ }
+
+ /**
+ * Get the GraphQL document (useful for debugging)
+ */
+ toGraphQL(): string {
+ return this.config.document;
+ }
+
+ /**
+ * Get the variables (useful for debugging)
+ */
+ getVariables(): Record | undefined {
+ return this.config.variables;
+ }
+}
+
+// ============================================================================
+// GraphQL Document Builders (Runtime)
+// ============================================================================
+
+/**
+ * Build field selections from a select object
+ *
+ * Converts:
+ * { id: true, name: true, posts: { select: { title: true } } }
+ *
+ * To:
+ * id
+ * name
+ * posts {
+ * nodes { title }
+ * totalCount
+ * pageInfo { hasNextPage hasPreviousPage startCursor endCursor }
+ * }
+ */
+export function buildSelections(
+ select: Record | undefined,
+ fieldMeta?: Record
+): string {
+ if (!select) {
+ return '';
+ }
+
+ const fields: string[] = [];
+
+ for (const [key, value] of Object.entries(select)) {
+ if (value === false || value === undefined) {
+ continue;
+ }
+
+ if (value === true) {
+ fields.push(key);
+ continue;
+ }
+
+ // Nested select
+ if (typeof value === 'object' && value !== null) {
+ const nested = value as {
+ select?: Record